#!/bin/sh
# ----------------------------------------------------------------------
#    Copyright (c) 1999, 2000, 2001, 2002, 2003, 2004, 2005, 2006, 2007
#     NOVELL (All rights reserved)
#    Copyright (c) 2008, 2009 Canonical, Ltd.
#
#    This program is free software; you can redistribute it and/or
#    modify it under the terms of version 2 of the GNU General Public
#    License published by the Free Software Foundation.
#
#    This program 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 General Public License for more details.
#
#    You should have received a copy of the GNU General Public License
#    along with this program; if not, contact Novell, Inc.
# ----------------------------------------------------------------------
# Authors:
#  Steve Beattie <steve.beattie@canonical.com>
#  Kees Cook <kees@ubuntu.com>
#
# /etc/init.d/apparmor
#
# Note: "Required-Start: $local_fs" implies that the cache may not be available
# yet when /var is on a remote filesystem. The worst consequence this should
# have is slowing down the boot.
#
### BEGIN INIT INFO
# Provides: apparmor
# Required-Start: $local_fs
# Required-Stop: umountfs
# Default-Start: S
# Default-Stop:
# Short-Description: AppArmor initialization
# Description: AppArmor init script. This script loads all AppArmor profiles.
### END INIT INFO

APPARMOR_FUNCTIONS=/lib/apparmor/rc.apparmor.functions

# Functions needed by rc.apparmor.functions

. /lib/lsb/init-functions

aa_action() {
	STRING=$1
	shift
	$*
	rc=$?
	if [ $rc -eq 0 ] ; then
		aa_log_success_msg $"$STRING "
	else
		aa_log_failure_msg $"$STRING "
	fi
	return $rc
}

aa_log_action_start() {
	log_action_begin_msg $@
}

aa_log_action_end() {
	log_action_end_msg $@
}

aa_log_success_msg() {
	log_success_msg $@
}

aa_log_warning_msg() {
	log_warning_msg $@
}

aa_log_failure_msg() {
	log_failure_msg $@
}

aa_log_skipped_msg() {
	if [ -n "$1" ]; then
		log_warning_msg "${1}: Skipped."
	fi
}

aa_log_daemon_msg() {
	log_daemon_msg $@
}

aa_log_end_msg() {
	log_end_msg $@
}

# Source AppArmor function library
if [ -f "${APPARMOR_FUNCTIONS}" ]; then
	. ${APPARMOR_FUNCTIONS}
else
	aa_log_failure_msg "Unable to find AppArmor initscript functions"
	exit 1
fi

usage() {
    echo "Usage: $0 {start|stop|restart|reload|force-reload|status}"
}

test -x ${PARSER} || exit 0 # by debian policy
# LSM is built-in, so it is either there or not enabled for this boot
test -d /sys/module/apparmor || exit 0

# do not perform start/stop/reload actions when running from liveCD
test -d /rofs/etc/apparmor.d && exit 0

rc=255
case "$1" in
	start)
		if [ -x /usr/bin/systemd-detect-virt ] && \
		   systemd-detect-virt --quiet --container && \
		   ! is_container_with_internal_policy; then
			aa_log_daemon_msg "Not starting AppArmor in container"
			aa_log_end_msg 0
			exit 0
		fi
		apparmor_start
		rc=$?
		;;
	restart|reload|force-reload)
		if [ -x /usr/bin/systemd-detect-virt ] && \
		   systemd-detect-virt --quiet --container && \
		   ! is_container_with_internal_policy; then
			aa_log_daemon_msg "Not starting AppArmor in container"
			aa_log_end_msg 0
			exit 0
		fi
		apparmor_restart
		rc=$?
		;;
	stop)
		aa_log_daemon_msg "Leaving AppArmor profiles loaded"
		cat >&2 <<EOM
No profiles have been unloaded.

Unloading profiles will leave already running processes permanently
unconfined, which can lead to unexpected situations.

To set a process to complain mode, use the command line tool
'aa-complain'. To really tear down all profiles, run 'aa-teardown'."
EOM
		;;
	status)
		apparmor_status
		rc=$?
		;;
	*)
		usage
		rc=1
		;;
	esac
exit $rc
                                                                                                                                                                                                                                                                                                                                                                    #!/bin/sh
# ----------------------------------------------------------------------
#    Copyright (c) 2017 SUSE LINUX GmbH, Nuernberg, Germany.
#
#    This program is free software; you can redistribute it and/or
#    modify it under the terms of version 2 of the GNU General Public
#    License published by the Free Software Foundation.
#
#    This program 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 General Public License for more details.
#
#    You should have received a copy of the GNU General Public License
#    along with this program; if not, contact Novell, Inc.
# ----------------------------------------------------------------------

APPARMOR_FUNCTIONS=/lib/apparmor/rc.apparmor.functions

aa_action()
{
    echo "$1"
    shift
    "$@"
    return $?
}

aa_log_warning_msg()
{
    echo "Warning: $*"
}

aa_log_failure_msg()
{
    echo "Error: $*"
}

aa_log_action_start()
{
    echo "$@"
}

aa_log_action_end()
{
    printf ""
}

aa_log_daemon_msg()
{
    echo "$@"
}

aa_log_skipped_msg()
{
    echo "Skipped: $*"
}

aa_log_end_msg()
{
    printf ""
}

# source apparmor function library
if [ -f "${APPARMOR_FUNCTIONS}" ]; then
	# shellcheck source=rc.apparmor.functions
	. "${APPARMOR_FUNCTIONS}"
else
	aa_log_failure_msg "Unable to find AppArmor initscript functions"
	exit 1
fi

case "$1" in
	start)
		if [ -x /usr/bin/systemd-detect-virt ] && \
		   systemd-detect-virt --quiet --container && \
		   ! is_container_with_internal_policy; then
			aa_log_daemon_msg "Not starting AppArmor in container"
			aa_log_end_msg 0
			exit 0
		fi
		apparmor_start
		rc=$?
		;;
	stop)
		apparmor_stop
		rc=$?
		;;
	restart|reload|force-reload)
		if [ -x /usr/bin/systemd-detect-virt ] && \
		   systemd-detect-virt --quiet --container && \
		   ! is_container_with_internal_policy; then
			aa_log_daemon_msg "Not starting AppArmor in container"
			aa_log_end_msg 0
			exit 0
		fi
		apparmor_restart
		rc=$?
		;;
	try-restart)
		apparmor_try_restart
		rc=$?
		;;
	kill)
		apparmor_kill
		rc=$?
		;;
	status)
		apparmor_status
		rc=$?
		;;
	*)
		exit 1
		;;
esac
exit "$rc"
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         #!/bin/sh
# profile-load
#
# ----------------------------------------------------------------------
#    Copyright (c) 2010-2015 Canonical, Ltd.
#
#    This program is free software; you can redistribute it and/or
#    modify it under the terms of version 2 of the GNU General Public
#    License published by the Free Software Foundation.
#
#    This program 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 General Public License for more details.
#
#    You should have received a copy of the GNU General Public License
#    along with this program; if not, contact Canonical, Ltd.
# ----------------------------------------------------------------------
#
# Helper for loading an AppArmor profile in pre-start scripts.

[ -z "$1" ]                  && exit 1 # require a profile name

. /lib/apparmor/rc.apparmor.functions

# do not load in a container
[ -x /usr/bin/systemd-detect-virt ] && systemd-detect-virt --quiet --container && ! is_container_with_internal_policy && exit 0 || true

[ -d /rofs/etc/apparmor.d ]  && exit 0 # do not load if running liveCD

profile=/etc/apparmor.d/"$1"
[ -e "$profile" ]            || exit 0 # skip when missing profile

module=/sys/module/apparmor
[ -d $module ]               || exit 0 # do not load without AppArmor in kernel

[ -x /sbin/apparmor_parser ] || exit 0 # do not load without parser

aafs=/sys/kernel/security/apparmor
[ -d $aafs ]                 || exit 0 # do not load if unmounted
[ -w $aafs/.load ]           || exit 1 # fail if cannot load profiles

params=$module/parameters
[ -r $params/enabled ]       || exit 0 # do not load if missing
read enabled < $params/enabled || exit 1 # if this fails, something went wrong
[ "$enabled" = "Y" ]         || exit 0 # do not load if disabled

/sbin/apparmor_parser -r -W "$profile" || exit 0 # LP: #1058356
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          #!/bin/sh
# ----------------------------------------------------------------------
#    Copyright (c) 1999-2008 NOVELL (All rights reserved)
#    Copyright (c) 2009-2018 Canonical Ltd. (All rights reserved)
#
#    This program is free software; you can redistribute it and/or
#    modify it under the terms of version 2 of the GNU General Public
#    License published by the Free Software Foundation.
#
#    This program 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 General Public License for more details.
#
#    You should have received a copy of the GNU General Public License
#    along with this program; if not, contact Novell, Inc.
# ----------------------------------------------------------------------
# rc.apparmor.functions by Steve Beattie
#
# NOTE: rc.apparmor initscripts that source this file need to implement
# the following set of functions:
#	aa_action
#	aa_log_action_start
#	aa_log_action_end
#	aa_log_success_msg
#	aa_log_warning_msg
#	aa_log_failure_msg
#	aa_log_skipped_msg
#	aa_log_daemon_msg
#	aa_log_end_msg

# Some nice defines that we use

PARSER=/sbin/apparmor_parser
PARSER_OPTS=--write-cache
# Suppress warnings when booting in quiet mode
if [ "${QUIET:-no}" = yes ] || [ "${quiet:-n}" = y ]; then
	PARSER_OPTS="$PARSER_OPTS --quiet"
fi

if [ -d /etc/apparmor.d ] ; then
	PROFILE_DIRS=/etc/apparmor.d
else
	aa_log_warning_msg "Unable to find profiles directory, installation problem?"
fi

# Eg. snapd policy might need this on some systems if loading policy
#     during early boot if not using the snapd unit file
ADDITIONAL_PROFILE_DIR=
if [ -n "$ADDITIONAL_PROFILE_DIR" ] && [ -d "$ADDITIONAL_PROFILE_DIR" ]; then
	PROFILE_DIRS="$PROFILE_DIRS $ADDITIONAL_PROFILE_DIR"
fi
AA_STATUS=/usr/sbin/aa-status
SECURITYFS=/sys/kernel/security
SFS_MOUNTPOINT="${SECURITYFS}/apparmor"

# keep exit status from parser during profile load.  0 is good, 1 is bad
STATUS=0

# Test if the apparmor "module" is present.
is_apparmor_present() {
	[ -d /sys/module/apparmor ]
}

# Checks to see if the current container is capable of having internal AppArmor
# profiles that should be loaded. Callers of this function should have already
# verified that they're running inside of a container environment with
# something like `systemd-detect-virt --container`.
#
# The only known container environments capable of supporting internal policy
# are LXD and LXC environment.
#
# Returns 0 if the container environment is capable of having its own internal
# policy and non-zero otherwise.
#
# IMPORTANT: This function will return 0 in the case of a non-LXD/non-LXC
# system container technology being nested inside of a LXD/LXC container that
# utilized an AppArmor namespace and profile stacking. The reason 0 will be
# returned is because .ns_stacked will be "yes" and .ns_name will still match
# "lx[dc]-*" since the nested system container technology will not have set up
# a new AppArmor profile namespace. This will result in the nested system
# container's boot process to experience failed policy loads but the boot
# process should continue without any loss of functionality. This is an
# unsupported configuration that cannot be properly handled by this function.
is_container_with_internal_policy() {
	# this function is sometimes called independently of
	# is_apparmor_loaded(), so also define this here.
	local ns_stacked_path="${SFS_MOUNTPOINT}/.ns_stacked"
	local ns_name_path="${SFS_MOUNTPOINT}/.ns_name"
	local ns_stacked
	local ns_name

	if ! [ -f "$ns_stacked_path" ] || ! [ -f "$ns_name_path" ]; then
		return 1
	fi

	read -r ns_stacked < "$ns_stacked_path"
	if [ "$ns_stacked" != "yes" ]; then
		return 1
	fi

	# LXD and LXC set up AppArmor namespaces starting with "lxd-" and
	# "lxc-", respectively. Return non-zero for all other namespace
	# identifiers.
	read -r ns_name < "$ns_name_path"
	if [ "${ns_name#lxd-*}" = "$ns_name" ] && \
	   [ "${ns_name#lxc-*}" = "$ns_name" ]; then
		return 1
	fi

	return 0
}

# This set of patterns to skip needs to be kept in sync with
# AppArmor.pm::isSkippableFile()
# returns 0 if profile should NOT be skipped
# returns 1 on verbose skip
# returns 2 on silent skip
skip_profile() {
	local profile="$1"
	if [ "${profile%.rpmnew}"   != "$profile" ] || \
	   [ "${profile%.rpmsave}"  != "$profile" ] || \
	   [ "${profile%.orig}"     != "$profile" ] || \
	   [ "${profile%.rej}"      != "$profile" ] || \
	   [ "${profile%\~}"        != "$profile" ] ; then
		return 1
	fi
	# Silently ignore the dpkg, pacman, and xbps files
	if [ "${profile%.dpkg-new}"     != "$profile" ] || \
	   [ "${profile%.dpkg-old}"     != "$profile" ] || \
	   [ "${profile%.dpkg-dist}"    != "$profile" ] || \
	   [ "${profile%.dpkg-bak}"     != "$profile" ] || \
	   [ "${profile%.dpkg-remove}"  != "$profile" ] || \
	   [ "${profile%.pacsave}"      != "$profile" ] || \
	   [ "${profile%.pacnew}"       != "$profile" ] ; then
		return 2
	fi
	if echo "$profile" | grep -E -q '^.+\.new-[0-9\.]+_[0-9]+$'; then
		return 2
	fi

	return 0
}

__parse_profiles_dir() {
	local parser_cmd="$1"
	local profile_dir="$2"
	local status=0

	if [ ! -d "$profile_dir" ]; then
		aa_log_failure_msg "Profile directory not found: $profile_dir"
		return 1
	fi

	if [ -z "$(ls "$profile_dir"/)" ]; then
		aa_log_failure_msg "No profiles found in $profile_dir"
		return 1
	fi

	# Note: the parser automatically skips files that match skip_profile()
	# when we pass it a directory, but not when we pass it an individual
	# profile. So we need to use skip_profile only in the latter case,
	# as long as the parser is in sync' with skip_profile().
	"$PARSER" $PARSER_OPTS "$parser_cmd" -- "$profile_dir" || {
		# FIXME: once the parser properly handles broken profiles
		# (LP: #1377338), remove the following code and the
		# skip_profile() function. For now, if the parser returns
		# an error, just run it again separately on each profile.
		for profile in "$profile_dir"/*; do
			skip_profile "$profile"
			skip=$?
			if [ "$skip" -eq 2 ]; then
				# Ignore skip status == 2 (silent skip)
				continue
			elif [ "$skip" -ne 0 ] ; then
				aa_log_skipped_msg "$profile"
				logger -t "AppArmor(init)" -p daemon.warn \
					"Skipping profile $profile"
				continue
			fi
			if [ ! -f "$profile" ] ; then
				continue
			fi
			printf "%s\0" "$profile"
		done | \
		# Use xargs to parallelize calls to the parser over all CPUs
		xargs -n1 -0r -P "$(getconf _NPROCESSORS_ONLN)" \
			"$PARSER" $PARSER_OPTS "$parser_cmd" --
		if [ $? -ne 0 ]; then
			status=1
			aa_log_failure_msg "At least one profile failed to load"
		fi
	}

	return "$status"
}

parse_profiles() {
	# get parser arg
	case "$1" in
		load)
			PARSER_CMD="--add"
			PARSER_MSG="Loading AppArmor profiles "
			;;
		reload)
			PARSER_CMD="--replace"
			PARSER_MSG="Reloading AppArmor profiles "
			;;
		*)
			aa_log_failure_msg "required 'load' or 'reload'"
			exit 1
			;;
	esac
	aa_log_action_start "$PARSER_MSG"
	# run the parser on all of the apparmor profiles
	if [ ! -f "$PARSER" ]; then
		aa_log_failure_msg "AppArmor parser not found"
		aa_log_action_end 1
		exit 1
	fi

	for profile_dir in $PROFILE_DIRS; do
		__parse_profiles_dir "$PARSER_CMD" "$profile_dir" || STATUS=$?
	done

	aa_log_action_end "$STATUS"
	return "$STATUS"
}

profiles_names_list() {
	# run the parser on all of the apparmor profiles
	if [ ! -f "$PARSER" ]; then
		aa_log_failure_msg "- AppArmor parser not found"
		exit 1
	fi

	for profile_dir in $PROFILE_DIRS; do
		if [ ! -d "$profile_dir" ]; then
			aa_log_warning_msg "- Profile directory not found: $profile_dir"
			continue
		fi

		for profile in "$profile_dir"/*; do
			if skip_profile "$profile" && [ -f "$profile" ] ; then
				LIST_ADD=$("$PARSER" -N "$profile" )
				if [ $? -eq 0 ]; then
					echo "$LIST_ADD"
				fi
			fi
		done
	done
}

failstop_system() {
	level=$(runlevel | cut -d" " -f2)
	if [ "$level" -ne "1" ] ; then
		aa_log_failure_msg "- could not start AppArmor.  Changing to runlevel 1"
		telinit 1;
		return 255;
	fi
	aa_log_failure_msg "- could not start AppArmor."
	return 255
}

is_apparmor_loaded() {
	if ! is_securityfs_mounted ; then
		mount_securityfs
	fi

	if [ -f "${SFS_MOUNTPOINT}/profiles" ]; then
		return 0
	fi

	is_apparmor_present

	return $?
}

is_securityfs_mounted() {
	test -d "$SECURITYFS" -a -d /sys/fs/cgroup/systemd || grep -q securityfs /proc/filesystems && grep -q securityfs /proc/mounts
	return $?
}

mount_securityfs() {
	if grep -q securityfs /proc/filesystems ; then
		aa_action "Mounting securityfs on $SECURITYFS" \
				mount -t securityfs securityfs "$SECURITYFS"
		return $?
	fi
	return 0
}

apparmor_start() {
	aa_log_daemon_msg "Starting AppArmor"
	if ! is_apparmor_present ; then
		aa_log_failure_msg "Starting AppArmor - failed, To enable AppArmor, ensure your kernel is configured with CONFIG_SECURITY_APPARMOR=y then add 'security=apparmor apparmor=1' to the kernel command line"
		aa_log_end_msg 1
		return 1
	elif ! is_apparmor_loaded ; then
		aa_log_failure_msg "Starting AppArmor - AppArmor control files aren't available under /sys/kernel/security/, please make sure securityfs is mounted."
		aa_log_end_msg 1
		return 1
	fi

	if [ ! -w "$SFS_MOUNTPOINT/.load" ] ; then
		aa_log_failure_msg "Loading AppArmor profiles - failed, Do you have the correct privileges?"
		aa_log_end_msg 1
		return 1
	fi

	# if there is anything in the profiles file don't load
	if ! read -r line < "$SFS_MOUNTPOINT/profiles"; then
		parse_profiles load
	else
		aa_log_skipped_msg ": already loaded with profiles."
		return 0
	fi
	aa_log_end_msg 0
	return 0
}

remove_profiles() {

	# removing profiles as we directly read from apparmorfs
	# doesn't work, since we are removing entries which screws up
	# our position.  Lets hope there are never enough profiles to
	# overflow the variable
	if ! is_apparmor_loaded ; then
		aa_log_failure_msg "AppArmor module is not loaded"
		return 1
	fi

	if [ ! -w "$SFS_MOUNTPOINT/.remove" ] ; then
		aa_log_failure_msg "Root privileges not available"
		return 1
	fi

	if [ ! -x "$PARSER" ] ; then
		aa_log_failure_msg "Unable to execute AppArmor parser"
		return 1
	fi

	retval=0
	# We filter child profiles as removing the parent will remove
	# the children
	sed -e "s/ (\(enforce\|complain\))$//" "$SFS_MOUNTPOINT/profiles" | \
	LC_COLLATE=C sort | grep -v // | {
		while read -r profile ; do
			printf "%s" "$profile" > "$SFS_MOUNTPOINT/.remove"
			rc=$?
			if [ "$rc" -ne 0 ] ; then
				retval=$rc
			fi
		done
		return "$retval"
	}
}

apparmor_stop() {
	aa_log_daemon_msg "Unloading AppArmor profiles "
	remove_profiles
	rc=$?
	aa_log_end_msg "$rc"
	return "$rc"
}

apparmor_kill() {
	if ! is_apparmor_loaded ; then
		aa_log_failure_msg "AppArmor module is not loaded"
		return 1
	fi

	aa_log_failure_msg "apparmor_kill() is no longer supported because AppArmor can't be built as a module"
	return 1
}

__apparmor_restart() {
	if [ ! -w "$SFS_MOUNTPOINT/.load" ] ; then
		aa_log_failure_msg "Loading AppArmor profiles - failed, Do you have the correct privileges?"
		return 4
	fi

	aa_log_daemon_msg "Restarting AppArmor"

	parse_profiles reload

	rc=$?
	aa_log_end_msg "$rc"
	return "$rc"
}

apparmor_restart() {
	if ! is_apparmor_loaded ; then
		apparmor_start
		rc=$?
		return "$rc"
	fi

	__apparmor_restart
	return $?
}

apparmor_try_restart() {
	if ! is_apparmor_loaded ; then
		return 0
	fi

	__apparmor_restart
	return $?
}

apparmor_status () {
	if test -x "$AA_STATUS" ; then
		"$AA_STATUS" --verbose
		return $?
	fi
	if ! is_apparmor_loaded ; then
		echo "AppArmor is not loaded."
		rc=1
	else
		echo "AppArmor is enabled."
		rc=0
	fi
	echo "Install the apparmor-utils package to receive more detailed"
	echo "status information here (or examine $SFS_MOUNTPOINT directly)."

	return "$rc"
}
                                                                                                                                                                                                                                                                                                                                                                                                                                        [Unit]
Description=Load AppArmor profiles
DefaultDependencies=no
Before=sysinit.target
After=local-fs.target
After=systemd-journald-audit.socket
RequiresMountsFor=/var/cache/apparmor
AssertPathIsReadWrite=/sys/kernel/security/apparmor/.load
ConditionSecurity=apparmor
Documentation=man:apparmor(7)
Documentation=https://gitlab.com/apparmor/apparmor/wikis/home/

# Don't start this unit on the Ubuntu Live CD
ConditionPathExists=!/rofs/etc/apparmor.d

# Don't start this unit on the Debian Live CD when using overlayfs
ConditionPathExists=!/run/live/overlay/work

[Service]
Type=oneshot
ExecStart=/lib/apparmor/apparmor.systemd reload
ExecReload=/lib/apparmor/apparmor.systemd reload

# systemd maps 'restart' to 'stop; start' which means removing AppArmor confinement
# from running processes (and not being able to re-apply it later).
# Upstream systemd developers refused to implement an option that allows overriding
# this behaviour, therefore we have to make ExecStop a no-op to error out on the
# safe side.
#
# If you really want to unload all AppArmor profiles, run   aa-teardown
ExecStop=/bin/true
RemainAfterExit=yes

[Install]
WantedBy=sysinit.target
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      ELF          >          @       A          @ 8 
 @         @       @       @                                                                                                     0      0                                                                  0       0       0                               <      L      L            X                   =      M      M                               8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd    4       4       4                           Qtd                                                  Rtd   <      L      L                         /lib64/ld-linux-x86-64.so.2              GNU                     GNU r$y|+>          GNU                                             em                                                                                              C                      a                                                                                        "                      _                                                                  Y                      T                                                                  }                                                                                                              }                                            ,                      >                      9                                                                  p                         "                    __libc_start_main __cxa_finalize dcgettext __printf_chk exit open __errno_location read close __stack_chk_fail pthread_once __vasprintf_chk setmntent getmntent strcmp stat free endmntent syscall setlocale bindtextdomain strerror strnlen write memset __isoc99_sscanf libc.so.6 GLIBC_2.3.4 GLIBC_2.8 GLIBC_2.7 GLIBC_2.33 GLIBC_2.4 GLIBC_2.34 GLIBC_2.2.5 _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable                                                ti	        ii
   !     ii
   +        5     ii
   @        J     ui	   U      L                    M                   P             P      O                    O                    O                    O                    O                    O                    O                     O                    (O                    0O                    8O                    @O         	           HO         
           PO                    XO                    `O         
           hO                    pO                    xO                    O                    O                    O                    O                    O                    O                    O                    O                    O                    O                    O                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    HH?  HtH         5>  %>  @ %>  h    %>  h   %>  h   %>  h   %>  h   %>  h   %>  h   %>  h   p%>  h   `%>  h	   P%>  h
   @%>  h   0%z>  h    %r>  h
   %j>  h    %b>  h   %Z>  h   %R>  h   %J>  h   %B>  h   %:>  h   %2>  h   %*>  h   %">  h   p%>  h   `%2>  f        AWAVAUATUH-!  S   H(Ht$H5*!  dH%(   HD$1SHH5   dHL    HL$CE1H   Hl1LiD$*    Aqu9A u2fIA   I9   M} HL^tE7A-tH5Q   LAt}A-tdH5D   L(  H54   Lw  Lt$   H5   1I^   HH1[I>  AxuA uD  ID$   I9>1$  Å~JH|$  ta|$ 8utX&c(  G%  H  HcH1         }   H|$eE   1}      H53  E         H5!  1z   H1KHD$H8  H|$  H|$    HD$H8e  1   H5     H1Bٺ&   كEщE   @   E      E      E   H5b  1   H1dE   
   l1E1T$i1   H5  HCHڿ   H1M1   H5     H1L1   H5     H11   H50     H1A    1I^HHPTE11H=9  f.     @ H=:  H9  H9tH9  Ht	        H=9  H59  H)HH?HHHtH9  HtfD      =9   u+UH=b9   HtH=f9  de9  ]     w    S   HH5(  1   HH1w   ff.     fAU1H=  ATUSHdH%(   HD$1Hu3 ؉ 9  HD$dH+%(   uTH[]A\A]f     Ht$   ǉ]Iߋ(I9A,$E~1|$Yff.     AU1H=
  ATUSHdH%(   HD$1u3^ ؉H8  HD$dH+%(   uTH[]A\A]f     Ht$   ǉIߋ(IA,$E~1|$Y;ff.     AUH5H=7  ATUSHdH%(   HD$1u
7  y 1H=  1Ńu. HT$dH+%(   uSH[]A\A]f.     Ht$   IGIA$E~1|$Ymff.     fAUH5wH=6  ATUSHdH%(   HD$1Cu
6  y 1H=T  1Ńu. HT$dH+%(   uSH[]A\A]f.     Ht$   IwIA$E~1|$Yff.     fSHH   HT$0HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   dH%(   HD$1H$   HHHD$   HHD$ $   D$0   HD$uH    HT$dH+%(   u	H   [ AWH5  AVAUATUSH   H<$H=]  dH%(   H$   1H   HH-?  Ll$L%>  Lt$ HIHtWHD$    IHuIWLLx+H|$LtcH|$HIHuH    H$   dH+%(   u;H   []A\A]A^A_f     D$H$HHD$H8T$ff.     fS   H   dH%(   H$   1H|$H53  1~bH|$Ht$tHË    
   1tx1   ;
tHT  H}3  D  H|$fH$   dH+%(      Hİ   [fD  H  3     H03  fD  +t^uHu  2     H 3  P 2      1?D  HO  H2  MD  H  H2  5SHdH%(   HD$1H3xOH$1H5	  H=c2  HCxHD$dH+%(   u5HH[BfH-2       HD$dH+%(   uH[D  AWAVAUATUSHH(dH%(   HD$1HD$    HK  H    HUH=    HH|$H1H5  Å  Ld$   1UM  H5cH=l1  HD$    H5_1  H   Ll$L5r  1LL2  H|$H$  1   aH|$AA   LHcDHA9%  D1tH|$HtIc1@H|$HD$dH+%(     H([]A\A]A^A_ÐHHr   R0  H5  H  HEf     L=  L9|$tI1{t>1LLLx(H|$1   `H|$AAA܃fD           G   Iăt G   G   D9A,$뚋(f.     AWAVAUATUSH   HL$LD$dH%(   HD$x1  HH  AIH=#/  H5Aǅ\  H=
/  H~     1PÃU  l   A$labefAD$HL     I   HH9   Ld$0C   LPA.HD$1|$CA.   1HL$(HT$,LLL$ LD$$H5c  n   D$,1H\$D$(Dt?T$ 1HL$DHD$xdH+%(      HĈ   D[]A\A]A^A_ T$$AG   Af.     AG            A]       8u ]       HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         %s: [options]
  options:
  -x | --exclusive    Shared interfaces must be available
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 /sys/module/apparmor/parameters/enabled /sys/module/apparmor/parameters/available       /proc/%d/attr/apparmor/unavailable/%s   unknown or incompatible options
        No - not available on this system.
     Maybe - policy interface not available.
        Maybe - insufficient permissions to determine availability.
    Partially - public shared interfaces are not available.
        allow 0x%8x
deny 0x%8x
audit 0x%8x
quiet 0x%8x
 /proc/mounts securityfs %s/apparmor /proc/%d/attr/apparmor/ /proc/%d/attr/apparmor/%s /proc/%d/attr/%s %s/.access /usr/share/locale aa-binutils --quiet --exclusive --help -h unknown option '%s'
 No - disabled at boot.
 Error - %s
 Yes
 changehat %016lx^%s current Sf@@@@@@@@@@S@@@@@@@@@@@@@@@@@@@@@@@y;                    (  d  p  @    <          X             zR x      8"                  zR x  $      H   FJw ?;*3$"       D                 \   3    A  8   t       BKA A(D@}
(A ABBJ  8      T    BKA A(D@}
(A ABBJ  8          BPA A(D@W
(A ABBK 8   (  \    BPA A(D@W
(A ABBK     d      AJ
AAH     3   BIB B(A0A8G
8C0A(B BBBJ      p   AL
AG(         AD P
DGd
AA0   $  	   BBB B(A0H8K`  H   X     BBB B(A0C8G`_
8C0A(B BBBBL     P   BBB B(A0A8Gf
8D0A(B BBBD                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          
       "             L                            M                    o                                    
                                                 N             X                           	             	                    	                            o          o          o           o    V      o                                                                                           M                      6      F      V      f      v                                                                  &      6      F      V      f      v                                                                              P      /usr/lib/debug/.dwz/x86_64-linux-gnu/apparmor.debug @ylˁr72479cf7cdd2b3e04e9dffc1c20aed7d5e5acf1.debug    # .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .init_array .fini_array .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                            8      8                                     &             X      X      $                              9             |      |                                     G   o                   $                             Q                                                   Y                                                      a   o       V      V      >                            n   o                                               }             	      	                                        B       	      	      X                                                                                                                                                                                                                                                                   "      "      	                                            0       0                                                  4       4                                                 4      4      $                                          L      <                                                 M       =                                                M      =                                              N      >                                                P       @                                                 P      @      8                                                    @      H                              
                     \@      4                                                    @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   ELF          >    p      @       A          @ 8 
 @         @       @       @                                                                                                     
      
                                                                  0       0       0      $
      $
                   <      L      L      T                         <      L      L                               8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd   6      6      6                           Qtd                                                  Rtd   <      L      L      @      @             /lib64/ld-linux-x86-64.so.2              GNU                     GNU cg]W&
<1         GNU                      %                %       em                                                                                             M                                            r                                            "                                                                                       0                      	                     \                                            2                     *                                                                                                                                                                                                                                                9                                           m                      #                     H                      :                                                                  )                         "                    __libc_start_main __cxa_finalize stdout stderr dcgettext __fprintf_chk exit __vfprintf_chk __stack_chk_fail open __errno_location read close pthread_once __vasprintf_chk syscall stat free write setmntent getmntent strcmp endmntent getpid getopt_long optarg optind strlen __strcat_chk fputc execvp strnlen memset __isoc99_sscanf libc.so.6 GLIBC_2.8 GLIBC_2.7 GLIBC_2.33 GLIBC_2.4 GLIBC_2.34 GLIBC_2.2.5 GLIBC_2.3.4 _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable                                          I         ii
   S     ii
   ]        g     ii
   r        |     ui	        ti	         L             P      L                   P             P      O                    O                    O                    O                    O                    O                    O         "           O         %           O         $           N                    N                    N                    N                    N                     O         	           O         
           O                    O         
            O                    (O                    0O                    8O                    @O                    HO                    PO                    XO                    `O                    hO                    pO                    xO                    O                    O                    O                    O                    O                     O         !           O         #                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   HH?  HtH         5>  %>  @ %>  h    %>  h   %>  h   %>  h   %>  h   %z>  h   %r>  h   %j>  h   p%b>  h   `%Z>  h	   P%R>  h
   @%J>  h   0%B>  h    %:>  h
   %2>  h    %*>  h   %">  h   %>  h   %>  h   %
>  h   %>  h   %=  h   %=  h   %=  h   p%=  h   `%=  h   P%=  h   @%=  h   0%=  f        AWAVL56#  AUIATAUSH#  H8  dH%(   H$(  1Hl$ ND$(    D$>  H"  HD$ H"  HD$@H"  HD$`H"  H$   H"  H$   H"  HD$0    D$8d   D$H    HD$P    D$Xh   D$h   HD$p    D$xp   Ǆ$      HǄ$       Ǆ$   n   Ǆ$       HǄ$       Ǆ$   i   H$   Ǆ$       HǄ$       Ǆ$   v   fE1HLLDlAǃ   EGAx  JcHf     <      H=<   a  H#<  H H<      H=<   [  H;  H Hq<  d@ U<  T@ ^<  D@ H;  HcA9  L5.<  L%<  MM  LnL@M  LLD$TLD$II        H5   HD$     LH   H5   H   LHr=;   Lcd$     H5  1LHH1m  1H|$1HT$H5I   H`	  Aąx2Lt$   1DH50   L  H|$ALc%;     H5  1=HDLH1
  :  EtHHc :  
     H5W  tH5  1HH1  =:   Ml tv   H5  1u:  L%:     H-  HcH1LI<$IM HtI<$H   1HHHuI4$
   I} LWIm    1Hc9  H5  )HHH19  M9LL@I     D$  H5  1LHH1  1H|$HHD$H5  1  Aąx2Lt$   1:DH5  L6
  H|$ALc%29     H5  I      H   D$  H5  LH      H5  H0H=8   L%}  Hn     LEH5  1HLHH1  H=z8   L%=  H.     LEH5  I}    \  I} 1Q     H5  1~Hct$H1     H5;  ܺ   H5m  1LD$IHct$HT$   H1P  1I^HHPTE11H=u'7  f.     @ H=q7  Hj7  H9tH7  Ht	        H=A7  H5:7  H)HH?HHHtH6  HtfD      =6   u+UH=6   HtH=6  d6  ]     w    Ha6  ATU1SHL @tHy6     L    H5u  1LHپ   H1!
f.     H   Ht$(HT$0HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   dH%(   HD$1H$   HHHD$HD$    HD$H5  $   H D$0   H   H     H   Ht$(HT$0HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   dH%(   HD$1=s5   t@H$   HH   HD$HD$ HD$H4  $   H8D$0   ,HD$dH+%(   uH   off.     @ H   Ht$(HT$0HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   dH%(   HD$1=4   t@H$   HH   HD$HD$ HD$H3  $   H8D$0   LHD$dH+%(   uH   ff.     @ AU1H=m  ATUSHdH%(   HD$18u3 ؉3  HD$dH+%(   uTH[]A\A]f     Ht$   ǉmIߋ(I9A,$E~1|$Yff.     AU1H=  ATUSHdH%(   HD$1u3N ؉3  HD$dH+%(   uTH[]A\A]f     Ht$   ǉIߋ(IA,$E~1|$Y+ff.     AUH5H=2  ATUSHdH%(   HD$1u
q2  y 1H=  1Ńu.y HT$dH+%(   uSH[]A\A]f.     Ht$   I7IA$E~1|$Y]ff.     fSHH   HT$0HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   dH%(   HD$1H$   HHHD$   HHD$ $   D$0   HD$}uH    HT$dH+%(   u	H   [ AU   ATUSH   dH%(   H$   1H|$H5*  1   Hl$H|$H   HË   
   1   H5H=Z0  u
W0  y 1H=  1Aă   ؃   tkfD  H|$H$   dH+%(      Hĸ   []A\A]ÐHa  /     H/  fD  1)   ;
tH  H/   H  g/     H/   N/      1ufD  H   9+DI+E~=|$YH  H$/      H  H
/  D  zf.     AWAVAUATUSHdH%(   HD$1HI  IH=.  HH5H$    ACH5.  H   I1LL   H<$H   1   H<$ATAtnHIcDHA9   D1HT$dH+%(      H[]A\A]A^A_    -  H5  Hb  HENL=k  L9<$tG1,t<1LLLx&H<$1   H<$AA>Z@     HŃt G   G   D] D  AWH5  H=  AVAUATUSH   dH%(   H$   19H   HL%  Lt$L-  L|$D  HHHtWHD$    H{LuHSLLx+H|$LtSH|$HHHuH    H$   dH+%(   uxHĸ   []A\A]A^A_ÐH\$HC1H5  H=,  HKx/H$   dH+%(   u)Hĸ   H[]A\A]A^A_ H+      VfD  USHHdH%(   HD$1H$    H   H     H>H=     HHH1H5  Å   H,$   1QH5j  HNH<$HtHc1H<$ HD$dH+%(   uTH[]    H\H7  i     fD   G   7    AWAVAUATUSH   HL$LD$dH%(   HD$x1  HH  AIH=C*  H5Aǅ\  H=-*  H~     1ÃU  l   A$labefAD$=HL     I7   HH9   Ld$0C   LA.HD$|$CA.   1HL$(HT$,LLL$ LD$$H5
     D$,1H\$D$(Dt?T$ 1HL$DHD$xdH+%(      HĈ   D[]A\A]A^A_ T$$AG   Af.     AG            A]       8u ]       ,HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         USAGE: %s [OPTIONS] <prog> <args>

Confine <prog> with the specified PROFILE.

OPTIONS:
  -p PROFILE, --profile=PROFILE		PROFILE to confine <prog> with
  -n NAMESPACE, --namespace=NAMESPACE	NAMESPACE to confine <prog> in
  -d, --debug				show messages with debugging information
  -i, --immediate			change profile immediately instead of at exec
  -v, --verbose				show messages with stats
  -h, --help				display this help

        /sys/module/apparmor/parameters/enabled /sys/module/apparmor/parameters/available       /proc/%d/attr/apparmor/unavailable/%s   [%ld] aa-exec: ERROR: Multiple -p/--profile parameters given
   [%ld] aa-exec: ERROR: Multiple -n/--namespace parameters given
 [%ld] aa-exec: ERROR: name too long (%zu > %zu)
        [%ld] aa_change_profile("%s")
  [%ld] aa-exec: DEBUG: %d = aa_change_profile("%s")
     [%ld] aa-exec: DEBUG: %d = aa_change_onexec("%s")
      [%ld] aa-exec: ERROR: %s '%s' does not exist
   [%ld] aa-exec: ERROR: insufficient permissions to change to the %s '%s'
        [%ld] aa-exec: ERROR: AppArmor interface not available
 [%ld] aa-exec: ERROR: Failed to execute "%s": %m
       allow 0x%8x
deny 0x%8x
audit 0x%8x
quiet 0x%8x
 /proc/%d/attr/apparmor/ /proc/%d/attr/apparmor/%s /proc/%d/attr/%s /proc/mounts securityfs %s/apparmor %s/.access profile namespace debug help immediate verbose +dhp:n:iv : :// changeprofile %s current [%ld] aa_change_onexec("%s")
 exec %s [%ld] aa-exec: ERROR: %m
 [%ld] exec changehat %016lx^%s    4***8$**********;           X  X   H   @  hX  Ht  (      XD  (h  8    X  x             zR x      "                  zR x  $          FJw ?;*3$"       D                 \    V    IAC    |   `    G             G
A          G
A8          BKA A(D@}
(A ABBJ  8         BKA A(D@}
(A ABBJ  8   D  x    BPA A(D@W
(A ABBK           AJ
AA8        BGA A(G
(A ABBBH        BBB B(A0A8DP
8A0A(B BBBH d   ,  j   BPB B(A0A8G
8A0A(B BBBBC
8D0A(B BBBH   0     p   BBI E(D0A8N  (        ACG0
CAH L        BBB B(A0A8Gf
8D0A(B BBBD                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   P                   I                    
       '             L                           L                    o                 X                   
                                                 N                                        (             
                    	                            o          o    	      o           o    <	      o                                                                                           L                      6      F      V      f      v                                                                  &      6      F      V      f      v                                                                                                                                P      /usr/lib/debug/.dwz/x86_64-linux-gnu/apparmor.debug @ylˁr7638e16675d9f57e5be26d10a0f9bbf3cfdfc31.debug    se6 .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .init_array .fini_array .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                            8      8                                     &             X      X      $                              9             |      |                                     G   o                   $                             Q                                                   Y             X      X                                   a   o       <	      <	      L                            n   o       	      	                                  }             
      
                                        B       (      (                                                                                                                                                                                                                                                                           '      '      	                                            0       0                                                6      6                                                 6      6      t                                          L      <                                                L      <                                                L      <                                              N      >      @                                          P       @                                                 P      @      P                                                    @      H                              
                     \@      4                                                    @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   ELF          >          @       A          @ 8 
 @         @       @       @                                                                                                                                                   U      U                    0       0       0                               <      L      L      `                         <      L      L                               8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd   t4      t4      t4                           Qtd                                                  Rtd   <      L      L      P      P             /lib64/ld-linux-x86-64.so.2              GNU                     GNU w8Jb6qJ         GNU                      '                '       em                                                                                             M                                            \                                            "                                            H                     <                     0                                           x                                            )                                           m                                                                                                             s                                            5                                           N                                                                                       C                                                                 H                      :                                                                 )                         "                    __libc_start_main __cxa_finalize stdout stderr dcgettext __fprintf_chk exit __vfprintf_chk __errno_location close read openat free openlog __vsyslog_chk closelog __stack_chk_fail __vsnprintf_chk dup fdopendir readdir rewinddir calloc malloc alphasort qsort closedir fstatat strlen __snprintf_chk getopt_long optarg optind open write fileno libc.so.6 GLIBC_2.33 GLIBC_2.4 GLIBC_2.34 GLIBC_2.2.5 GLIBC_2.3.4 _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable                                                U            _     ii
   j        t     ui	        ti	         L                   L             `      P             P      O                    O                    O                    O                    O                    O                    O                    O         $           O         '           O         &           N                    N                    N                    N                    N                    N         	           N         
            O                    O         
           O                    O                     O                    (O                    0O                    8O                    @O                    HO                    PO                    XO                    `O                    hO                    pO                    xO                    O                    O                     O         !           O         "           O         #           O         %                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   HH?  HtH         5>  %>  @ %>  h    %>  h   %>  h   %z>  h   %r>  h   %j>  h   %b>  h   %Z>  h   p%R>  h   `%J>  h	   P%B>  h
   @%:>  h   0%2>  h    %*>  h
   %">  h    %>  h   %>  h   %
>  h   %>  h   %=  h   %=  h   %=  h   %=  h   %=  h   p%=  h   `%=  h   P%=  h   @%=  h   0%=  h    %=  f        AWAVL5!  AUATAUHSH!  H(  L>dH%(   H$  1Hr!  Ll$0D$HD$0H_!  HD$PH[!  HD$pHT!  H$   HM!  H$   HC!  D$L==  D$8    HD$@    D$Hd   D$X    HD$`    D$hv   D$x    HǄ$       Ǆ$   h   Ǆ$       HǄ$       Ǆ$   x   Ǆ$      HǄ$       Ǆ$   f   H$   H   Ǆ$      HǄ$       Ǆ$   w   H$   Ǆ$       HǄ$       Ǆ$     E1LLHD,tgd  HcHfH=<       A<      H;  H H<  D  H;  H H<  D  H;  =;   H=;  Hc )  HE  H  1ɃLHb        HH   HP
D$H%   = @        H  H	  H0
    H=P;  H   H=8;  Hv    A   1D$Aă8  H
HHD  HH)   HHDVHuH:     H5  1FHH1  H  11'D$Aă        HHH]       DHp
D  HH1  "  HD H  De H-+:  H4:     H5  1HHH1  H|$  H|$  H$  dH+%(   a  H(  1[]A\A]A^A_HZ9  H8D$AăH9     H5  HT$HHT$ HT$HD$      H  H`9     H5|  rH}      H} 1    g    H|      H-8  H8     H5[  H-8  H8     H5  
    XHD H\  D#=H5U  1   LH1d  f.     D  1I^HHPTE11H=57  f.     @ H=8  H8  H9tH7  Ht	        H=7  H57  H)HH?HHHtH7  HtfD      =7   u+UH=z7   HtH=7  yd}7  ]     w    H	7  ATU1SHL @tH)7     L    H5%  1LHپ   H1f.     H   Ht$(HT$0HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   dH%(   HD$1H$   HHHD$HD$    HD$HT6  $   H D$0   H        SH?u 8u;t[fAUIATIUSHZHf.     HLH~IH)u1 i   HfuAE  LL)H[]A\A]     AT1I1UHS=ÅxIHt0HLeH
8uOtH[]A\ i   HHtATUSHD HHt+t	De []A\H2SHH   HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   dH%(   HD$11   H=  8HHھ   H$      $   HD$HD$ HD$D$0   ]HD$dH+%(   u	H   [f.     ATUSHH   HT$0HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   dH%(   HD$1H{IL+#   HCL9~   L)IIHHH$      $   HD$HHD$ D$0   HD$   HH9sUHC1HT$dH+%(      H   []A\ sLH  1    H5  1GHr  H5_  1 i   1#Hl  H5;  1    1_ff.     @ <.tytuAU1AHATIHUHSHH5  H;   AD$%   =   t9= @  tj1H5  H	H[]A\A] 1D  HUIL+e xDHML9r;L)HDDHx!HEf     HHD2   tLH0  1    H5  1AWAVAUATUSH   HT$dH%(   H$   1H    	 1Ń   Aą  HH  E1HwHt3x.HPuz tx.uz.uz tHIDHuH   L
IHu  M!  E1x u$M9}cHIH)  A.H@tA.ux.u	x t   KH   I#   HLHM9|H
/     LLHCDd$A  E  AD$D$    LLl$ IDHD$Nf.     D$8%   =     HL$LL*u8LHD$HH9   L#   LM|$LbtLD$@ MO$Iŋ D$ I?ItM9uLgHOD$AE D$E1f.     k8utL"H$   dH+%(      D$H   []A\A]A^A_D  1LLLD$H
M.  HǺ   1HD$    c    D$E1T	Iŋ D$Df     UHo
SHHHHЃ))HcHH9  H  fD  iQ-Hi51
dkTH9rH)HGHHl1)@tp1LD1} H	uiQ-1i51
dkTL9u0	ȃt!   )ύ    iQ-i511H{	   	   L  1ik녉
1к   i5AAA11H1[]ú   HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 USAGE: %s [OPTIONS] <SOURCE> [OUTPUT OPTIONS]

Output AppArmor feature abi from SOURCE to OUTPUT
OPTIONS:
  -h, --help       display this help
SOURCE:
  -f F, --file=F   load features abi from file F
  -x, --extract    extract features abi from the kernel
OUTPUT OPTIONS:
  --stdout         default, write features to stdout
  -w F, --write=F  write features abi to the file F instead of stdout

    Invalid features buffer offset (%td)
   Failed to write to features buffer
     %s: ERROR: options --extract and --file are mutually exclusive - %m
    /sys/kernel/security/apparmor/features  %s: ERROR: failed to extract features abi from the kernel - %m
 %s: ERROR: failed to open file '%s' - %m
       %s: ERROR: failed to load features abi from file '%s' - %m
     %s: ERROR: failed to open output file '%s' - %m
        %s: ERROR: failed to get stdout - %m
   %s: ERROR: failed to write features abi - %m
 libapparmor Feature buffer full. %s { }
 %08x debug verbose help extract file write stdout +dvhxf:l:w:    ;              L   <  ,  \D  `    l    |  H    |         zR x      "                  zR x  $         FJw ?;*3$"       D                 \   (V    IAC    |   h    G         .    Al   4      $h    BED C(H0K(A ABB(      \p    BHD |
ABA(     0    BAA ^
ABA    @      AJ
AA0   d  `   BAA J
 AABDD         MJG D(N0F(A ABBDH0L     tg   BBB B(A0A8G
8A0A(B BBBF   (   0  \   AEJ =
CAAL   \     BBI B(D0D8N
8C0A(B BBBA                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         `             U                    
       L#             L                           L                    o                                    
                                                 N                                        P             
             8      	                            o          o    	      o           o    d	      o                                                                                           L                      6      F      V      f      v                                                                  &      6      F      V      f      v                                                                                                                                              P      /usr/lib/debug/.dwz/x86_64-linux-gnu/apparmor.debug @ylˁr7773896804a6236b0f1c6c307a071ecd4f64aa6.debug    4 .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .init_array .fini_array .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                        8      8                                     &             X      X      $                              9             |      |                                     G   o                   $                             Q                                                   Y                                                      a   o       d	      d	      P                            n   o       	      	      `                            }             
      
      8                                 B       P      P                                                                                                                                                                                                                                 <                                          L#      L#      	                                            0       0      t                                          t4      t4                                                 4      4                                                L      <                                                L      <                                                L      <                                              N      >      P                                          P       @                                                 P      @      (                                                    @      H                              
                     X@      4                                                    @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           #!/bin/sh
# ----------------------------------------------------------------------
#    Copyright (c) 2017 Canonical Ltd. (All rights reserved)
#
#    This program is free software; you can redistribute it and/or
#    modify it under the terms of version 2 of the GNU General Public
#    License published by the Free Software Foundation.
#
#    This program 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 General Public License for more details.
#
#    You should have received a copy of the GNU General Public License
#    along with this program. If not, see <http://www.gnu.org/licenses/>.
# ----------------------------------------------------------------------

APPARMOR_FUNCTIONS=/lib/apparmor/rc.apparmor.functions
APPARMORFS=/sys/kernel/security/apparmor
PROFILES="${APPARMORFS}/profiles"
REMOVE="${APPARMORFS}/.remove"

DRY_RUN=0

. $APPARMOR_FUNCTIONS

usage() {
	local progname="$1"
	local rc="$2"
	local msg="usage: ${progname} [options]

Remove profiles unknown to the system

Options:
 -h, --help	Show this help message and exit
 -n		Dry run; don't remove profiles"

	if [ "$rc" -ne 0 ] ; then
		echo "$msg" 1>&2
	else
		echo "$msg"
	fi

	exit "$rc"
}

if [ "$#" -gt 1 ] ; then
	usage "$0" 1
elif [ "$#" -eq 1 ] ; then
	if [ "$1" = "-h" -o "$1" = "--help" ] ; then
		usage "$0" 0
	elif [ "$1" = "-n" ] ; then
		DRY_RUN=1
	else
		usage "$0" 1
	fi
fi


# We can't use a -r test here because while $PROFILES is world-readable,
# apparmorfs may still return EACCES from open()
#
# We have to do this check because error checking awk's getline() below is
# tricky and, as is, results in an infinite loop when apparmorfs returns an
# error from open().
if ! IFS= read line < "$PROFILES" ; then
	echo "ERROR: Unable to read apparmorfs profiles file" 1>&2
	exit 1
elif [ ! -w "$REMOVE" ] ; then
	echo "ERROR: Unable to write to apparmorfs remove file" 1>&2
	exit 1
fi

# Clean out running profiles not associated with the current profile
# set, excluding the libvirt dynamically generated profiles.
# Note that we reverse sort the list of profiles to remove to
# ensure that child profiles (e.g. hats) are removed before the
# parent. We *do* need to remove the child profile and not rely
# on removing the parent profile when the profile has had its
# child profile names changed.

LOADED_PROFILES=$("$PARSER" -N $PROFILE_DIRS) || {
	ret=$?
	echo 'apparmor_parser exited with failure, aborting.' >&2
	exit $ret
}

echo "$LOADED_PROFILES" | awk '
BEGIN {
  while (getline < "'${PROFILES}'" ) {
    str = sub(/ \((enforce|complain)\)$/, "", $0);
    if (match($0, /^libvirt-[0-9a-f\-]+$/) == 0)
      arr[$str] = $str
  }
}

{ if (length(arr[$0]) > 0) { delete arr[$0] } }

END {
  for (key in arr)
    if (length(arr[key]) > 0) {
      printf("%s\n", arr[key])
    }
}
' | LC_COLLATE=C sort -r | \
	while IFS= read profile ; do
		if [ "$DRY_RUN" -ne 0 ]; then
			echo "Would remove '${profile}'"
		else
			echo "Removing '${profile}'"
			echo -n "$profile" > "${REMOVE}"
		fi
	done

# will not catch all errors, but still better than nothing
exit $?
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ELF          >     $      @                 @ 8 
 @         @       @       @                                                                                                                                                      
B      
B                    p       p       p      `      `                   0      0      0                                8      8      8                               8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd   z      z      z      t      t             Qtd                                                  Rtd   0      0      0                         /lib64/ld-linux-x86-64.so.2              GNU                     GNU fO.h)픦5[+         GNU                      7                7       em                            "                                                                  m                                           e                      =                                                                J                      ,                                                               C                                           L                                                                 q                                                                                                          ~                      x                                                                4                      $                     Y                                            j                                          P                      T                                                                                       3                                           ;                      '                                                                                                                                 h                      C                                                                 \                                           W                         "                    __libc_start_main __cxa_finalize free __printf_chk strcmp realloc strdup qsort memcpy __sprintf_chk strncmp __errno_location read __stack_chk_fail pthread_once __vasprintf_chk setmntent getmntent stat endmntent strlen malloc fopen __getdelim fclose stderr __fprintf_chk puts fwrite strerror syscall strtod __isoc99_sscanf __open_2 opendir readdir __ctype_b_loc strtol memset __asprintf_chk realpath closedir calloc readlink fputc stdout open_memstream exit strnlen libc.so.6 GLIBC_2.3.4 GLIBC_2.14 GLIBC_2.3 GLIBC_2.33 GLIBC_2.8 GLIBC_2.4 GLIBC_2.7 GLIBC_2.34 GLIBC_2.2.5 _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable                                    	        
     
       
         	          ti	  
        	      ii
                ii
        ii
        ii
           &     ui	   1      0              %      8             $      @             y      H             <      P             y      X             P<      `             y      h             `<      p             y      x             p<                   z                   <                   z                   <                    z                   Q                   0z                   @[                   7z      ț             `[      Л             Ez      ؛             P^                   Oz                   P^                   Rz                   )                    Yz                   )                   z                                   $           (                    0         )                               ȟ                    П                    ؟                             0                    7                    5           @                    H                    P                    X                    `                    h         	           p         
           x                                                 
                                                                                                                                                       Ȟ                    О                    ؞                                                                                                                                                                                                !           (         "           0         #           8         $           @         %           H         &           P         '           X         (           `         )           h         *           p         +           x         ,                    -                    .                    /                    1                    2                    3                    4                    6                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           HH  HtH         5
~  %~  @ %
~  h    %~  h   %}  h   %}  h   %}  h   %}  h   %}  h   %}  h   p%}  h   `%}  h	   P%}  h
   @%}  h   0%}  h    %}  h
   %}  h    %}  h   %}  h   %}  h   %z}  h   %r}  h   %j}  h   %b}  h   %Z}  h   %R}  h   p%J}  h   `%B}  h   P%:}  h   @%2}  h   0%*}  h    %"}  h   %}  h    %}  h   %
}  h    %}  h!   %|  h"   %|  h#   %|  h$   %|  h%   %|  h&   %|  h'   p%|  h(   `%|  h)   P%|  h*   @%|  h+   0%|  h,    %|  h-   %|  h.    %|  h/   %|  f        AVAUATUHS~=|   u!H} ^     Dt.H>:  Ho|        H=U  H&L-w  Lv1M@ I4$LtEHIH
u=s|   tH|        H=U  HH}   ]HIDHtH} ЉG1I^HHPTE11H={  f.     @ H={  H{  H9tH^{  Ht	        H={  H5{  H)HH?HHHtH5{  HtfD      =M{   u+UH={   HtH=&{  Id%{  ]     w    HtsUSHHHHEu)H}HtEuH} Ht1UuH}8HtHHuH[]f@     11r@	wDHt'Hr@	vr@wDHuD  r@wDf     1ff.     fAWAVAUIATIUSHHHFH<HP?"H,uHvHE1H9rGD  HtI+m Im1H[]A\A]A^A_fHHH)H9sIHHH)H9s<"t<\uѐH9sHH)L)HxAU IHtH9  MLCI  I       HIQAH9r  IE <\uE<\vb<w#IcLfD  <!v
PI'  LAU(HH)H~H}NA $=  vA (=    HUHH)H~}\u}uuH} $=  wD     
%  	Ѝ      A   EMωIH?πAAu	LIQ	      @ HIQ
      IQ
      IQ      IQ      IQ   L I+] HCM\$ AD$   IE   DAwD      QH  w      A   H  w      A   H 6   ff.     HtKHHt.HGHOH9r@ HHGH9t< vH9tHHÐHHOfD  1ff.     UHSHHt?HH7f.     H{H H{H{H{H9uHH[]uD  HHH5zG  1   1Hff.     @ H6H?D  HvH HvH AWAVAUATUSH(H    Ht$I     H   IIMI1     MtIL?u|IE I>HpHIu H   HI?Ht$HHD$H.HI"HCIHCIHt$HL$HCHIIu HD$HI H9Y1H([]A\A]A^A_I>@I    *   IE     f.     AWAVAUATUSH(H    Ht$I     H   IIM1L1D  MtI?L u^HsI} HH   I6IHD$HHt$HHHI?Ht$HL$HCH^IM IHD$HIH9xHu1H([]A\A]A^A_fI} H
   HXIIm HHHHtH{HH{H9uHIE     *   I    @ H   ATUSHH?HtnHCHu_   H9s[LCIT0H9sWC uFH?wWL$HC8HtZLHHt}HCLcH+[H]A\f.     H9Cr1
fD  J[]A\    AH9r1LS(HHt"HCH3HHPH;S0    H;S0HC    1H        1ff.     fHw  AWAVAUATUSHHHH  HE1u!       <w4IBHt4<"t w<
vHv<v@ <\u@ BHIuH)N<*HIwUIH   HxMOIM   "H-A  u(       <\t&A$CHI   <<"uA$\DI|$A"w"Av&A@<wHcD H    A\|      1HLL$H
H  HILL$Iw 5K  fCH   []A\A]A^A_H1[]A\A]A^A_    Ar   ED$ID  Af   ED$ID  An   At        Ab           Ht""  @ f\   IHZ   A   HxE1A"LHLL$LL$C"A. 1H    ATUHS   HcHLdA<$
   E1
tS~lHcHTF:)u\Hf.     HtF< u|(ut5H  HTI    
   H5YI  Ht({	)tB11HU []A\D  p     1MtA$ HU H[]A\     HS	   TfAU1H=C  ATUSHdH%(   HD$1Hu3 ؉n  HD$dH+%(   uTH[]A\A]f     Ht$   ǉIߋ(IA,$E~1|$YKff.     AU1H=-C  ATUSHdH%(   HD$1u3N ؉0n  HD$dH+%(   uTH[]A\A]f     Ht$   ǉ-Iߋ(IA,$E~1|$Yff.     AUH5H=m  ATUSHdH%(   HD$1Su
m  y 1H=B  1Ńu.y HT$dH+%(   uSH[]A\A]f.     Ht$   _I7IA$E~1|$Yff.     fAUH5wH=l  ATUSHdH%(   HD$1u
l  y 1H=tA  1Ńu. HT$dH+%(   uSH[]A\A]f.     Ht$   IgIKA$E~1|$Yff.     fSHH   HT$0HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   dH%(   HD$1H$   HHHD$   HHD$ $   D$0   HD$uH    HT$dH+%(   u	H   [# AWH5B  AVAUATUSH   H<$H=B  dH%(   H$   1H   HH-eB  Ll$L%dB  Lt$ HIHtWHD$    IH;uIWLLx+H|$L7tcH|$HIHuH    H$   dH+%(   u;H   []A\A]A^A_f     D$H$HHD$H(T$ff.     fAWAVAUATIUHSH   dH%(   H$   1H    H=RA  H    Ht$@HD$0    HD$(    HD$     <i    t  H|$0:D$HD$0HD$  H+Hx
BHD$H  H\$LD$1H
A  H   H
H5@  H~IHE  HD$ Lt$(H$@ H4$L
   LLH  HD$8    H\$(HHHT$8HHA  LL|$8HMtgL7Hu HD$8II$HtRMtMHHHHK  HM HHHHHL~HM I$>fD  Hu I$IIIHt$I~H$II~H$L9uHI$    HHE     LH|$(D$*   L[H|$H|$H$   dH+%(     D$H   []A\A]A^A_f.     rg  uH|$8LD$*   O    Hf  HL$(   H<  H81@ H=>  T{       H|$(D$   HD$    HD$        D$H|$(u#H}  uD$   f.     fD  
f  uKH|$(lD$   HD$    fD  H	f        H==  H;He  $      H=;  HHE I$IIIHt#I~H$II~H$L9uH8e  
thu.H|$(D$   H|$(D$*   4HL$   H@=  IHe  H81H|$(E릅tHd  :      H=W:  HH|$(sAWAVAUATUSHH8dH%(   HD$(1Ht$H|$tlLl$Hl$ALHHMtH{HH{H9uHHD$(dH+%(      H8D[]A\A]A^A_    Ll$Hl$HHL$HD$    LD$ LHUL|$    H5'<  A1LLtLt$HLMt H{HH{I9uL 1f     H=;  @ H=;  @ H==  @ H=~=  @ SH dH%(   HD$1~2H|$(tl   HT$dH+%(      H [D  1WtMuI }   뽐H|$uH|$#     H|$D$D$@ ٺ&   كEщfD  S   H   dH%(   H$   1+H|$H5:  1v~bH|$Ht$tHË    
   1tx1   ;
tH7  H%b  D  H|$H$   dH+%(      Hİ   [fD  H
:  a     Ha  fD  t^uH9  a     Ha  P va      1?D  H9  Hra  MD  H9  HZa  50SHdH%(   HD$1HxOH$1H5n9  H=a  HxHD$dH+%(   u5HH[fH`       HD$dH+%(   uH[D  AWAVAUATUSHxdH%(   HD$h1H   L6HM   LfLnHM|$M9   K<&   H58  H<$H<$  IL$I9r+   H58  HL$H<$hH<$HL$o     H5g8  F   M9s9K&<"  HЀ	  <-  <[  <{   fD  1HT$hdH+%(     Hx[]A\A]A^A_ M|$M9rK<&   H57  sE   L{       E   E(        E       HCH=  `HHC:{OIHLcL{M9  C<>}:  IE1E1L{   fXX X0M  ILpHCHHqLi   HYID$ ID$     ID$8HCH;Cs\H<:uSHHHC#Lt7HL{L;{s.HB<8,V  @   MS IH<MGL:f.     HD$    M)1Ld$ I    A   4NՀ:wLHLuvtfHt$LD  HD$L9f/7  s
7     f/s,L)U(E   E0HC   .   fD  A4HH?tI9\s@ HD$hdH+%(   1  HxHH[]A\A]A^A_ HCH=   HHC:[IHLcL{M9   C<>]   IE1E1L{f    fPP P0Mt_ILpHCHH1LAHL{L;{4HB<8,u2@   MS IHu	II[IL{?B<8]HkIE    LmqE1B<8}HkIE@   LmCE1I/AUATUSHXdH%(   HD$H1H  HH  GH %u   l  H+  HcH@ @w  =   D  H H7  HL`LkHH  Hu L  fD  G0fHD$    )L$ f.L$*J  ~5  f(fTf.
4  ,  Ld$          H
2  L$L$fHT$H52  LA1}$u:\$~4  L$f(\fT_fTf(Y
o4  f/s!H
2        L   AA  fD  1HT$HdH+%(   3  HX[]A\A]    ~$HoHHH{$MIHt {S$HCf  LcH   `  @ H}8HtH;HtLcLILc{$HMILH: :DC$Et@	LcHHcH;HtLcLILc{$E1HAH} IIt$HH}  Ht ,Hs$t
H Hm LcHn  S$HsHHzHKHt1    	HKHH9rHKfD     HH2 true@     fD     HSHAe    falsfDP    Ho   HH [oCf2  CH   f        HH1  fHkVfD  {$HHH{$MIHQ ,DK$HPEt@ HP Hm LcHtHHfH;HtLcLILcH}  xC HD$HdH+%(     H HX[]A\A]f        HH null@ k D$ nullA   D$$ IcHHuHeEt1Ld$ AHH9uH  Hk@
S$K$   tHCHpHXHS$t5H{t.HPD  B	HHHKHH)HHH9rH/  fHkzf.     AVAUATAH5UH=fU  SHdH%(   HD$1H$    $H5MU  H   IL5-  1LL~GH<$Ht>DH<$t6HD$dH+%(      H[]A\A]A^ f     H-  H9$t1t1LHLxH<$D6H<$f     ZT  H5,  H,  HE<ff.     AWAVAUATUSH   H|$HH=,  Ht$PHT$@HL$8dH%(   HD$x1H    H    HD$ HE  HD$hHD$(HD$pHD$0    H|$ H  HD$h    LxHD$p    LLtI,!fD  sHHH DP  H9u
   1L1D$@   D$L|$fD  d$Hc\$HIHyHH  1HHt$  |$1yAă  Dt$IE1HcAIA)   IcLDH  E   IcD   <
tEtqD  AHT$(DHH9tsD    H} "HE1T1HL$h  L1  f.     KD "   H*fD  L|$DH|$0H~*  1L   8Ll$h  Mp  LyH|$p1HD$hHIrIH  M  HD$8H HD$HpHD$@HH8IH  HD$8LHHHT$HLLHk1HHT$HL$@LcHCHD$8E1HL1HLH|$p	LHH|$ H!1H|$ HD$xdH+%(   o  HĈ   []A\A]A^A_1E1E11LHLHH    pE1H\$pE11H|$p1IH        IH  H|$p   HH\$pfHMMA V    G   DHD$HT$HG   GLt$PMteLd$H1	HL9tSHLHI<uL,H=Z)  HHD$hIHAH3fD  E1%DHD$XAHT$XLHN  !      E1H=$  HLH|$pH߻*   HLt$@L|$8LI>I71IMI믻*   IS@ LLl$h2H8N  !      LH=,$  HX2fAWAVAUATUSHHdH%(   HD$81Ht$H|$HD$    HD$     Ņt+HD$8dH+%(      HH[]A\A]A^A_fD  L|$Ld$HL$HT$ LLqŅtSLl$Lt$ LHLMtfH{HH{I9uL}LLbD  Ll$Lt$ HL$0LD$(HD$0    H>'  LL)H\$(   H5%  1HlH|$0H?YD  AWH$  AVfHnH&  AUfHnATUSH   H|$Ht$xH|$hdH%(   H$   H$  HD$x    HD$p    HD$h    HD$`    fHnHV&  flfHnH$   )$   
@H  )$   ~0H  )$   fl)$   7   AHD$xE1E1HD$HD$hHD$LLDT$2H|$ DT$  H\$Hl$EHHD  H{HH{H9uHDd$DT$EuE1H|$ AG	H$   dH+%(     H   D[]A\A]A^A_f     HD$hHt$xHL$pHT$`HHt$HD$A/  H|$H  H
.  H+!     1H$   1L5#  HD$8H$   HD$(H$   HD$ HD$8LD$(HǄ$       HL$ Ht$HǄ$       HH|$HHD$0F  H|$ L$     H$   M   H|$   E1H\$@MLd$0@ LH
"  LMH	H|$L   H"  HD1IHM9uH\$@IN$;@ I|$II|$I9uHHHHL$LD$pH  5I    LL$`Ld$H$   LD$8HD$HL$   LL$0M/LD$(HǄ$       HL$ Ht$8HǄ$       H|$0L4D$@  H$   H$   M  H
HHI    E1bH   L|$P^fM~IvL`MNMHf!  IN6  AQ   ILAPHMH  1CXZII I9tTMuLMLE H1!  HML}fD  D
H  EYHT$H5      1< L]   L|$P^HHIOHD$HI9HL$LL$0LD$8DT$@Ht4      DT$(H=   LD$ LL$cDT$(LD$ LL$LLDT$H|$ DT$H|$@ HI     L    H5N!  LqG  )    H
    HHHLd$XIE1Hl$PHfD  
"G  t:I]MeHLsL  IM HڅH5     ME1II I9uHLd$XHl$PD  DF  EHL$0L   1H54       E1I     IIM9K=aF  tIU H5     1~@ LHH5  1   WfDF  LD$pLL$`EHE  DѾ   H  LD$(H81LL$ DT$WDT$LL$ LD$(       LD$0H=n  LD$0HH5     1H|$DT$QDT$LD$pLL$`A#LL$0LD$8DT$@L¿   1LD$0H5C  VLD$0X    HHD  H81HfD  AVAUATUSH   dH%(   H$   1HH|$HD$    Hv  HHH1ۉ(tDHlH|$bH$   dH+%(   -  HĠ   []A\A]A^f     Ld$M  LL-@  ffo
?  Lp   @   Ld$Lt$Ll$@)D$ )L$0;HH_  I   H|$HH(  f   Ld$PD$p    )D$`xfop?  HD$X   HD$PD$t   L$   T$xH   LH   Ld$PH\$`MtI<HH\$`HsLUHHteHB  Hپ   H  H81t     A<$A|$A|$HD$        H|$PHtB  uO1۽*    HX     B  tHB        H=u  H@ HA        H=k  H=*B   tHA  H     H81_ff.      A     1ff.     @ AUATUSHHdH%(   HD$1H$    H   H     HzH=  (  HHH1H5  GÅ      L$$1M      Ń   LHcӉIA9uv1
H<$HtIc1H<$HD$dH+%(      H[]A\A]H0Ha  =     fD  IAt* G   AG   Ee AݻafD  D n    a G   @ AWAVAUATUSH   HL$LD$dH%(   HD$x1  HH  AIH=?  H5Aǅ\  H=?  H~     1ÃU  l   A$labefAD$譿HL     I   HH9   Ld$0C   LA.HD$Q|$CA.   1HL$(HT$,LLL$ LD$$H5C  .   D$,1H\$D$(Dt?T$ 1HL$DHD$xdH+%(      HĈ   D[]A\A]A^A_ T$$AG   袿Af.     AG       苾     A]       k8u ]   Y    HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     4$)L<4
p@2   Usage: %s [OPTIONS]
Displays various information about the currently loaded AppArmor policy.
OPTIONS (one only):
  --enabled       returns error code if AppArmor not enabled
  --profiled      prints the number of loaded policies
  --enforced      prints the number of loaded enforcing policies
  --complaining   prints the number of loaded non-enforcing policies
  --kill          prints the number of loaded enforcing policies that kill tasks on policy violations
  --special-unconfined   prints the number of loaded non-enforcing policies in the special unconfined mode
  --process-mixed prints the number processes with mixed profile modes
  --json          displays multiple data points in machine-readable JSON format
  --pretty-json   same data as --json, formatted for human consumption as well
  --verbose       (default) displays multiple data points about loaded policy set
  --help          this message
     /sys/module/apparmor/parameters/enabled /sys/module/apparmor/parameters/available       apparmor filesystem is not mounted.
    You do not have enough privilege to read the profile set.
      Error: failed profile name split of '%s'.
      /proc/%d/attr/apparmor/unavailable/%s   ERROR: Failed to allocate memory
       Failed to get processes: %d....
        {"version": "%s", "profiles": { %zd processes have profiles defined.
   %zd processes are unconfined but have a profile defined.
       %zd processes are in %s mode.
  , {"profile": "%s", "pid": "%s", "status": "%s"}        %s"%s": [{"profile": "%s", "pid": "%s", "status": "%s"} allow 0x%8x
deny 0x%8x
audit 0x%8x
quiet 0x%8x
 u%04x /proc/mounts securityfs %s/apparmor /sys/module/apparmor apparmor not present.
 apparmor module is loaded. %s/profiles Could not open %s: %s %zd
 enforce complain /proc/%d/attr/apparmor/ /proc/%d/attr/apparmor/%s /proc/%d/attr/%s %s/.access null true false %1.15g %lg %1.17g current /proc /proc/%s/exe ],  %zd profiles are loaded.
 %zd profiles are in %s mode.
 %s"%s": "%s"    %s
 }, "processes": {    %s (%s) %s
 }}
 Failed to open memstream: %m
 Failed to parse json output Failed to print pretty json Error: Too many options.
 Error: Invalid command.
 changehat %016lx^%s --enabled --profiled --enforced --complaining --kill --special-unconfined --process-mixed --json --pretty-json --verbose -v --help -h " ] }         A            <                              ;t  -   p    	  p  `   0  PD  P      @  P  `  p   l      x  p     з,  h  p  @    pd               8  0\      D  0  0  $	  	  	  	   
  P\
             zR x      ا"                  zR x  $         FJw ?;*3$"       D              ,   \   Xy    FAG ]
AACH      c       H         BBB E(D0A8D@
8A0A(B BBBC        T       $      [    ADD HDA   (  <!    D\    @  T          T  P
          h  L
       H   |  H   BBB B(A0A8D`
8A0A(B BBBA H     L   BBB B(A0A8D`
8A0A(B BBBC <         KAA b
DBKU
ABH`|   T     KBB B(A0A8JPs
8F0A(B BBBAD
8C0A(B BBBHCP   8          BAD 
ABFd
ABI   8         BKA A(D@}
(A ABBJ  8   L  (    BKA A(D@}
(A ABBJ  8         BPA A(D@W
(A ABBK 8     0    BPA A(D@W
(A ABBK        ĳ    AJ
AAH   $  p3   BIB B(A0A8G
8C0A(B BBBJL   p  d   BBB B(D0D8Gt
8A0A(B BBBK   H     -   BBB B(A0A8Gpz
8D0A(B BBBH                             4            H  ܺ          \  غ           p  Ժ    AD0D
AF       p   AL
AG(     ̼    AD P
DGd
AAd     0    BBB B(A0A8D
8A0A(B BBBD
8G0A(B BBBH P   L     BBA A(D
(A ABBH
(A ABBN   @     4   BBB K(J0D@
0C(A BBBD L        BBB B(A0A8G
8C0A(B BBBA   H   4  PK   BBB B(A0A8DO
8C0A(B BBBG\     T	   BIN G(A0A8G`
8D0A(B BBBJMUA          DU @        BBB A(A0G}
0C(A BBBJ   <         (   P      BBB A(D0  8   |     BBA C(G@
(C ABBA L        BBB B(A0A8Gf
8D0A(B BBBD                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        %      $      y      <      y      P<      y      `<      y      p<      z      <      z      <       z      Q      0z      @[      7z      `[      Ez      P^      Oz      P^      Rz      )      Yz      )      z                                                                  
       b             0                           8                    o                 	                   
                                                 (                                        `                                	                            o          o           o           o          o                                                                                           8                      6       F       V       f       v                                                               !      !      &!      6!      F!      V!      f!      v!      !      !      !      !      !      !      !      !      "      "      &"      6"      F"      V"      f"      v"      "      "      "      "      "      "      "      "      #      #      &#                                                                                    /usr/lib/debug/.dwz/x86_64-linux-gnu/apparmor.debug @ylˁr7ce664fe2bef4ff2e6829ed89ed94a6350c5b2b.debug    +* .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .init_array .fini_array .data.rel.ro .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                       8      8                                     &             X      X      $                              9             |      |                                     G   o                   $                             Q                         @                          Y             	      	                                   a   o                   p                            n   o                                                 }                                                          B       `      `                                                                                                                                                                 0#      0#                                                @#      @#      >                                          b      b      	                                            p       p      
                                          z      z      t                                          (|      (|      8	                                          0      0                                                8      8                                                @      @                                                  8      8                                              (      (                                                                                                                    8                                                         H                                                   \      4                                                          &                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     #!/bin/sh

test $# = 0 || {
	echo "Usage: $0"
	echo
	echo "Unloads all AppArmor profiles"
	exit 1
}

/lib/apparmor/apparmor.systemd stop
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       query {label {multi_transaction {yes
}
data {yes
}
perms {allow deny audit quiet
}
}
}
signal {mask {hup int quit ill trap abrt bus fpe kill usr1 segv usr2 pipe alrm term stkflt chld cont stop stp ttin ttou urg xcpu xfsz vtalrm prof winch io pwr sys emt lost
}
}
ptrace {mask {read trace
}
}
caps {mask {chown dac_override dac_read_search fowner fsetid kill setgid setuid setpcap linux_immutable net_bind_service net_broadcast net_admin net_raw ipc_lock ipc_owner sys_module sys_rawio sys_chroot sys_ptrace sys_pacct sys_admin sys_boot sys_nice sys_resource sys_time sys_tty_config mknod lease audit_write audit_control setfcap mac_override mac_admin syslog wake_alarm block_suspend audit_read perfmon bpf checkpoint_restore
}
}
rlimit {mask {cpu fsize data stack core rss nproc nofile memlock as locks sigpending msgqueue nice rtprio rttime
}
}
capability {0xffffff
}
namespaces {pivot_root {no
}
profile {yes
}
}
mount {mask {mount umount pivot_root
}
}
network_v8 {af_mask {unspec unix inet ax25 ipx appletalk netrom bridge atmpvc x25 inet6 rose netbeui security key netlink packet ash econet atmsvc rds sna irda pppox wanpipe llc ib mpls can tipc bluetooth iucv rxrpc isdn phonet ieee802154 caif alg nfc vsock kcm qipcrtr smc xdp
}
}
file {mask {create read write exec append mmap_exec link lock
}
}
domain {version {1.2
}
attach_conditions {xattr {yes
}
}
computed_longest_left {yes
}
post_nnp_subset {yes
}
fix_binfmt_elf_mmap {yes
}
stack {yes
}
change_profile {yes
}
change_onexec {yes
}
change_hatv {yes
}
change_hat {yes
}
}
policy {outofband {0x000001
}
set_load {yes
}
versions {v8 {yes
}
v7 {yes
}
v6 {yes
}
v5 {yes
}
}
}
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             '''apport package hook for apparmor

(c) 2009-2014 Canonical Ltd.
Author: Steve Beattie <sbeattie@ubuntu.com>
        Jamie Strandboge <jamie@canonical.com>
License: GPLv2
'''

from apport.hookutils import (attach_file, attach_file_if_exists, packaging,
                              command_output, root_command_output)
import os
import re
import codecs


def stringify(s):
    '''Converts a byte array into a unicode string'''
    return codecs.latin_1_decode(s)[0]


def recent_kernlog(pattern):
    '''Extract recent messages from kern.log or message which match a regex.
       pattern should be a "re" object.  '''
    lines = ''
    if os.path.exists('/var/log/kern.log'):
        file = '/var/log/kern.log'
    elif os.path.exists('/var/log/messages'):
        file = '/var/log/messages'
    else:
        return lines

    with open(file, 'rb') as f:
        for l in f.readlines():
            line = stringify(l)
            if pattern.search(line):
                lines += line
    return lines


def recent_syslog(pattern):
    '''Extract recent messages from syslog which match a regex.
       pattern should be a "re" object.  '''
    lines = ''
    if os.path.exists('/var/log/syslog'):
        file = '/var/log/syslog'
    else:
        return lines

    with open(file, 'rb') as f:
        for l in f.readlines():
            line = stringify(l)
            if pattern.search(line):
                lines += line
    return lines


def add_info(report, ui):
    attach_file(report, '/proc/version_signature', 'ProcVersionSignature')
    attach_file(report, '/proc/cmdline', 'ProcKernelCmdline')

    sec_re = re.compile('audit\(|apparmor|selinux|security', re.IGNORECASE)
    report['KernLog'] = recent_kernlog(sec_re)
    # DBus messages are reported to syslog
    dbus_sec_re = re.compile('dbus.* apparmor', re.IGNORECASE)
    report['Syslog'] = recent_syslog(dbus_sec_re)

    packages = ['apparmor', 'apparmor-utils', 'libapparmor1',
                'libapparmor-dev', 'apparmor-utils',
                'apparmor-profiles',
                'python3-apparmor', 'libpam-apparmor',
                'libapache2-mod-apparmor', 'python3-libapparmor',
                'auditd', 'libaudit0']

    versions = ''
    for package in packages:
        try:
            version = packaging.get_version(package)
        except ValueError:
            version = 'N/A'
        if version is None:
            version = 'N/A'
        versions += '%s %s\n' % (package, version)
    report['ApparmorPackages'] = versions

    # These need to be run as root
    report['ApparmorStatusOutput'] = root_command_output(['/usr/sbin/apparmor_status'])
    report['PstreeP'] = command_output(['/usr/bin/pstree', '-p'])
    attach_file_if_exists(report, '/var/log/audit/audit.log', 'audit.log')
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          For information about using, debugging and improving AppArmor on Debian, see:

  https://wiki.debian.org/AppArmor

 -- intrigeri <intrigeri@debian.org>, Thu,  7 Dec 2017 09:46:04 +0100
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            \kHr?Hi+o3K#ZIL t7>o83
hz'6flˬ,:/3v坱:."6qRJ*qLyӕ"-|BVkyɳhXKLL؋?<ᙝ?2;1g#g1
Y;ѡ
+U+<M
{9򊾻e&RΆ`	Dªl	aP,dR.boZ
13NS)6B
dQe)Lϸ<#V+,צ)s FYQS9\%S*L*4bVM6LnM%UWI**VYkG"=L/<k:h4~i}ԼV!rG:4-,o靗qVY%ddTح^
7"­;	?[<p'9z5~?~jسi.?x'8&Lʛ|O=,08`IbvO3j%JK x
ػcl/TXin/2)(+/zg{\WL܂Y`h-dY+:Gɂ?eP$^Edq5WJ {#fs"YWODyBh&zέfX%~̳s6
/uq(?-MjOlL# a 
^JL	be~|	!@uƭ@IOQ0$xR6d΢䙼JignUuN1alhwFBUΗa.!K$=Fxфnq[GIʭd^KKѵBťǖuCLԧ`/ᔫcLlϗ8/pJM֟DI<"ʑH"+ l<QKwz~ݫKҥeY@쉄YBDUgo1	c7YH˱܏@X(R	+NdEB[rfր"lōڈV<[}KeYyէm{t[D~oP-}Z/& K*x_uY58E(@%
8?t]W2_eBJ|/a2"=nQu
`ZF+Z\@QoHR?,(^]ʯhXJJ5#ɢJ2er`!VkғMdޢ
Ke&'*1rlQps@kۯJS֓NhmZ
xqώ~
\t?	ᛁ{C弰?ExJ UP1:LdY	MyG$C0&E#/J1
h
'F0K
4Ѳۼe^>`ܱ32<[:?9ن7/ul( ? jkyW&<v)
)m%ko<}H@HP`n+i[+YC4ё`G1E)ʐ CLٮC6Qn-p,>X[y0S<3.r.yaU K!XW0ZXd
<*"MYgEwtи]wqg'ed.& 堤$_vΤq=8MNAcCe
OHقC 6	
V0tRML1PhaJw|=? ְSٝ}|m`Les] ¨;G9Z^"+ ++L $uĚ.B,X`Ϙ~Z~r|΀;WNxXm=PS8kwO%m_%:uC/
2ʀ,1T	4qQ>v^#-3xI	`"qj%6yV G-v~~i3Rړޓ)-^W*Zi+Ku.+LZlLlwE	hxt|Az<o$~Cwƞov6E;~+~ڠC64kjܼʞ	wTYm`ӊ4K j@
DhxVp;BN
dNAy"NQ
D#PZٔM_lDzY̐1s^
M!y,DZ.=>SHI*,=rH#1#A+80 9)y恼Lpz=klN[QWѪ?+.;|{[9q:f[3"*hP읲Lt*~-U^"INyԲq39%᠝6H#r$:lY;M[_~z_^}y{ӗ}#Sﾾzw`
Q0%8HV-]v<&	(=@1灵ȘiI"a 
㺱 qV 23[zڊro}xeXpL	X֢X_1^]59c.'ybrh-`Ro]FhSpVxh<Dh8c2o6+/Sq>e7CH7 6ī(^xw*B'#i0s3V@%*sblEz^76/@4R	Ck'"ZGj5c-Ia;d/P,*
fC 77X|)<hGҵFk-C!X`5D85Θ/,<Aa[ɂGb`vإ@pa4es(C!PrDv3`pѵ	{^ӡZVyA/eKo Ϝ}r
-G5M7pN4DSn
JD3ߊ)t>6ҔN(CɞPWwM@LDmOݑ!mdLG(i6EHD?qޒ0FPXPX.>~ׯħtnd D^HEy_!E.<;3WpQP[-H*G'lƔ6
^tMPzU&Ụj*nd";z
f/|
6z}c<[z;~R)یF:
8
ip%_e/IZoy(oy 5PtzmL4-n?
.alR.W(G#Vzez%vϕU+jP0WCAZAjww mH(hQ)Ѷd~Bne
W]<]*QO mA	|p΀7-fHl>X)ҙ;z>H]C0Wor\iJlCQ,~T"<#-ϧ/|]$|uH-~}!]IGģwBgtu6挝sfI0vst ՆznfiSFgi%)>X%=|"%6jK(F$03dp"`FмUzI䂦$QwL2%PJ`d$#Bn4nTd`|z?
"6ݾ;9K֨^p  T)wtCH*v빚`>ߗ0R7AWe]Kޭ$Q'A%Ee92ö"Le UY6g$@ZZd
hIn:5gg?5|v6P"2Y(Y$`9Vw/✖<,j(Ŵf=؃WߝڎJ[ۄѹ@eԿmi 1_l24.sO5ll0_nƉa¡ͣaV;AĢ"uG;/o2smTXq{.wO8UGԖHJ	XhD#R3R.FeD3@=,T4g7 /@	Oۈy|I4:f๢Zz~DX2┗ƱaSh`ˠżm&lQSU:-S5-GP,.GaJLC$Q4d&OZ;Ry##מT6ln ";WEr;t:p;X<ebѾ>ӦP7T?_sx)̝
lvhc3PBH-Xe{人5aJ
N$t&JazH
4k{{U=4<|T"1ZO',-|j^H)8#Jb5+Ukz&{cݑ۰7 ^㏲Mb⏝Bl7n8`m'ԺoOkX^N`H{g|lu K9Kjq:w9
='tƃ&ҧcmLCop]iXϚSvb%\KeuR{VЭ%SG  e%[,<WYIyKxۂĎ(낄]Mgj-{R Zo34M;m@ 
*%;HѮ{?=R72}ט*PGj `k{=ݔō!
HIk{/Y 3E!ũtBh, `w4`nZjKҪJnWno,ҿṼ.WCQ|f{Fy^2s^0Cqڦti1m:xuE%6}<nQqѶ>OGOǳsxr{_~}ݻ06Q@)VJ۷<&赩ŀ;>{nd"IW(E*+Q[R_َ?u`t.*YM¦^{5N֐H:'c/
܎Sh8`
8%XR%tBzaL!"L
X:Ϥ߲s[F[W7_# ;|	)hNBI5+F/DU_ȞCd2HW;m[XDxƇ;O]rXϚn+<T*s]/*Law5+uӔ*2M߷WNCBȱ]=.iςuHYAzLTVwu;6\NW];2d@Q?ǖumMB  {L>r:jb;<Kn _D2ǖr} 8#9a~:B
e t:eKqs8(Mm$3:ˢ\m?N!/K:ל2PGT~-0*srG
?ɷw_	3.b3uPG<Z>Mv?<ׂ(o_>n&u*=jg\#4@5*`Z۸F 
lvN˛a<v1^^$z[sWQHΨ]L~KղKM<],'ba>C Q`TJ'MOvD &:
Q0ϺZ["&ju1.h?G=ۻǍ#_lNu $lv2%Q3ℤ</6=UU7/Q&	o#dwu_}}xṒ'Zy?Hs`1wdp[R}NjJ{\_WuG/c2SJSAgѿX྘N,?߿}=Of!$gMFJzrzvۓ>֊PG7Ew{jˌw7ު3lѩm0Ժ-/UԣU&;BT4i	g25
Hqn
d$#i&缫hS>*	"R:չg-iWݕ"^qMX__+]r+L8@p.!"uBJ,'+f:gM`
dN7yG 	jbk7NxևU$q5!L9购@M6Syջ±rӇzɎ2] s(+M+"wE7:[N_gfdUYk:ɺO/MA>ˬwfT>7)5Peݾ".jH21vH2(_/	]|u(;Ԍ#C'*LllI`Zpif
7|N<1/lm40w{@^Bv?m.HbsY}WۛooyO-t~MNm>b-P>K@oV,։.A]=4ۙ%TW8UK&FMnӁ:!r
*?)b4]sbcxRl)@5VMg]ސAO
-JnMs@_H??φ#~1Fjd,U889ƿ%!KUwuMIl \8g!BS]좸J+S7u}W5BoB^i:ѵ|8hM.x(G\ϧ5Mn"f\-;pE[AAǇ]nbfuix ķx*eM^-NdpH
Z{լ1
+WzCKt#RQ'Nޒ8H%ad[`oWt޸wg0גS`ͧ-gt`f0dfj1H4޿:;_E:!
*
;:I\
#=<JxGbx!qӭò-j SPPkR4.xY*'#7cWH
K"`ވaVnyt#8hRi0꠳B՞38]xhJQ-HV3mь`
;Nk}
W\j0Nuu:HpV,(^W5a:j^Vw\Yz}l߆s$B
&r
T6Jq	/}\؈g	(clWڄ\0[99.\Snq	ZQIHpF^
'Ф>'eq% :knor$A5R-ӣ@܌/
Y!sOѾ2M2p$9 >Xb0]̵:|2"RNݢsP	pˏ&һ?	&I~RGQs-l,?c-X5<a<o4ȗaP^j 0 	lAkh%r4g@Y\2G`h&q1
U:W)jO)zl8LӤ[`?إ&nKHcjk[Q+XxC
i
 =xQ5Z_Mu?<z/UΦ@u|<Sf& P15 POϮPxuJ:PK>6c^ԲxG}魈JJK*B+شH.I_&p`sjH@[\Kޒ	{Ht0lJcpw#|o
'rMuj7պYࢊw<~M=TIq&&.V4%Cό}Ak^BS#]erwHV]*glWWW>$}Ze'L  8>{rwgaOdfxpU;Uv:NDzrC41UG!UQS1|KlV[5W12ՐH]/uU`8ָJ%keIѾKO 9as@Bb!-803d<j0ZN@]]s6
{RHDZ8Jt<B@#zXHgb#pJg/m00,`co?"a-jie:#j޵ЯlhܳPv&{jd225=m!p˯-M0`h#O)eȳդS`K
<ʇUX
C8j|HŢ,<B~-yUIX[نWrh3k&zr)i:Uk^=Rʄ^jJl|I\d3RF[MWt93=M?J1rBx3OR`WCyH3߿vJHun{-Z$
MS6lxq uW #	ҜLyc}GX'{Nt5V,f܌h

5=*C= GLgIO#2tP\_'+_ഽ#{
N^>gލ Ij6&?tK;>xo84Х?z{],Km Vw]}3!ǽȢ)=+
mu|                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              Format: https://www.debian.org/doc/packaging-manuals/copyright-format/1.0/
Upstream-Name: AppArmor
Upstream-Contact: apparmor@lists.ubuntu.com
Source: https://launchpad.net/apparmor

Files: *
Copyright: 1998-2010 Novell/SuSE/Immunix
           2008-2014 Canonical Ltd.
License: GPL-2+

Files: changehat/pam_apparmor/*
Copyright: 2006 SUSE Linux Products GmbH, Nuernberg, Germany
           2002, 2003, 2004 SuSE GmbH Nuernberg, Germany
           2002-2006 Novell/SuSE
           2010 Canonical Ltd.
License: BSD-3-clause or GPL-2+

Files: changehat/mod_apparmor/*
Copyright: 2004-2006 Novell
           2014 Canonical Ltd.
License: LGPL-2.1+

Files: libraries/libapparmor/* parser/libapparmor_re/*
Copyright: 1999-2008 Novell
           2009-2013 Canonical Ltd.
License: LGPL-2.1+

Files: profiles/apparmor.d/abstractions/mysql
Copyright: 2002-2006 Novell/SUSE
           2013 Christian Boltz
License: GPL-2

Files: profiles/apparmor.d/usr.sbin.dnsmasq
Copyright: 2009 John Dong <jdong@ubuntu.com>
           2010 Canonical Ltd.
License: GPL-2

Files: profiles/apparmor.d/sbin.syslog-ng
Copyright: 2006-2009 Novell/SUSE
           2006 Christian Boltz
           2010 Canonical Ltd.
License: GPL-2

Files: profiles/apparmor.d/usr.lib.dovecot.*
Copyright: 2013 Christian Boltz
License: GPL-2

Files: profiles/apparmor.d/usr.lib.dovecot.auth
Copyright: 2013 Christian Boltz
           2014 Christian Wittmer
License: GPL-2

Files: profiles/apparmor.d/usr.lib.dovecot.deliver
Copyright: 2009 Dulmandakh Sukhbaatar <dulmandakh@gmail.com>
           2009-2014 Canonical Ltd.
           2011-2013 Christian Boltz
License: GPL-2

Files: profiles/apparmor.d/usr.lib.dovecot.dovecot-auth
Copyright: 2009-2013 Canonical Ltd.
           2013 Christian Boltz
License: GPL-2

Files: profiles/apparmor.d/usr.lib.dovecot.imap profiles/apparmor.d/usr.lib.dovecot.pop3
Copyright: 2009-2010 Canonical Ltd.
           2011-2013 Christian Boltz
License: GPL-2

Files: profiles/apparmor.d/usr.lib.dovecot.imap-login profiles/apparmor.d/usr.lib.dovecot.pop3-login
Copyright: 2009-2011 Canonical Ltd.
           2013 Christian Boltz
License: GPL-2

Files: profiles/apparmor.d/usr.lib.dovecot.managesieve
Copyright: 2013 Christian Boltz
           2014 Christian Wittmer
License: GPL-2

Files: profiles/apparmor.d/usr.lib.dovecot.managesieve-login
Copyright: 2009 Dulmandakh Sukhbaatar <dulmandakh@gmail.com>
           2009-2011 Canonical Ltd.
           2013 Christian Boltz
           2014 Christian Wittmer
License: GPL-2

Files: profiles/apparmor/profiles/extras/usr.bin.mlmmj-make-ml.sh
Copyright: 2002-2005 Novell/SUSE
License: GPL-2

Files: profiles/apparmor/profiles/extras/usr.bin.passwd
Copyright: 2006 Volker Kuhlmann
License: GPL-2

Files: debian/*
Copyright: 2007-2011 Canonical Ltd.
           2014-2022 intrigeri
License: GPL-2

License: BSD-3-clause
 Redistribution and use in source and binary forms, with or without
 modification, are permitted provided that the following conditions
 are met:
 .
 1. Redistributions of source code must retain any existing copyright
    notice, and this entire permission notice in its entirety,
    including the disclaimer of warranties.
 .
 2. Redistributions in binary form must reproduce all prior and current
    copyright notices, this list of conditions, and the following
    disclaimer in the documentation and/or other materials provided
    with the distribution.
 .
 3. The name of any author may not be used to endorse or promote
    products derived from this software without their specific prior
    written permission.

License: GPL-2
 This program is free software; you can redistribute it and/or modify
 it under the terms of the GNU General Public License as published by
 the Free Software Foundation; version 2 of the License.
 .
 This program 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 General Public License for more details.
 .
 You should have received a copy of the GNU General Public License along
 with this program; if not, write to the Free Software Foundation, Inc.,
 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
 .
 On Debian systems, the complete text of the GNU General
 Public License can be found in `/usr/share/common-licenses/GPL-2'.

License: GPL-2+
 This program is free software; you can redistribute it and/or modify
 it under the terms of the GNU General Public License as published by
 the Free Software Foundation; either version 2 of the License, or
 (at your option) any later version.
 .
 This program 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 General Public License for more details.
 .
 You should have received a copy of the GNU General Public License along
 with this program; if not, write to the Free Software Foundation, Inc.,
 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
 .
 On Debian systems, the complete text of the GNU General
 Public License can be found in `/usr/share/common-licenses/GPL-2'.

License: LGPL-2.1+
 This library 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 2.1 of the License, or (at your option) any later version.
 .
 This library 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, write to the Free Software
 Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA  02110-1301  USA
 .
 On Debian systems, the complete text of the GNU General
 Public License can be found in `/usr/share/common-licenses/LGPL-2.1'.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   
      l   
             m      
   _  <   m  (          #                   )    J  a        D  @   Q  ,          *             
  "                                       	   
       %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: FULL NAME <EMAIL@ADDRESS>
PO-Revision-Date: 2020-03-04 17:55+0000
Last-Translator: bernard stafford <Unknown>
Language-Team: Afrikaans <af@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2020-03-05 05:40+0000
X-Generator: Launchpad (build e0878392dc799b267dea80578fa65500a5d74155)
 %s: [opsies]
  opsies:
  -q | --quiet Moenie druk uit enige boodskappe
  -h | --help Afdruk hulp
 Fout - '%s'
 Miskien - onvoldoende toestemmings om beskikbaarheid te bepaal.
 Miskien - beleid koppelvlak nie beskikbaar.
 Nee - gestremde by stewel.
 Geen - nie beskikbaar op hierdie stelsel.
 Ja
 onbekende opsie '%s'
 onbekende of onversoenbare opsies
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  %      D  5   l      @     A  <   a  >     $     2     >   5  G   t  =          $        9     V  )   t            !               &   /  $   V  C   {                  ;        D     W  !   o  $                          -   #     Q     m          '
  9   H
  M   
  $   
  @   
  9   6  X   p  <          (   %      N     o  2     $     "     )   

  %   4
     Z
  6   o
  *   
  ^   
      0     Q     h  B   }            -     $        =  $   R  #   w       6          !                                            "                 $   #      
           
                                     %   !                                     	                        %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 Addition succeeded for "%s".
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Couldn't merge entries. Out of Memory
 ERROR in profile %s, failed to load
 Exec qualifier 'i' invalid, conflicting qualifier already specified Found unexpected character: '%s' Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 01:27+0000
Last-Translator: Novell Language <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: af
 %s: BEWEER: Ongeldige opsie: %d
 %s: Kon geheue vir subdomeinbasis-hegpunt nie toeken nie
 %s: Foute gevind in die kombineer van reëls tydens naprosessering. Staking.
 %s: Foute in lêer gevind. Staking.
 %s: Onwettige open {, nesting van groeperings nie toegelaat nie
 %s: Interne bufferoorvloei bespeur, %d karakters oorskry
 %s: Regex-groeperingsfout: Ongeldige sluiting }, geen ooreenstemmende oop nie { bespeur
 %s: Regex-groeperingsfout: Ongeldige aantal items tussen {}
 %s: Kan "%s" nie byvoeg nie.   %s: Kan insetreël '%s' nie ontleed nie
 %s: Kan "%s" nie verskuif nie.   %s: Kan "%s" nie vervang nie.   %s: Kan nie volledige profielinskrywing skryf nie
 %s: Kan nie na stdout toe skryf nie
 Byvoeging vir "%s" was suksesvol.
 Beweer: `hat-reël' het NUL teruggestuur. Beweer: `reël' het NUL teruggestuur. Slegte skryfposisie
 Kon inskrywings nie saamvleg nie. Geheue is opgebruik
 FOUT in profiel %s, het misluk om te laai
 Uitvoerende kwalifiseerder 'i' is ongeldig, konflikterende kwalifiseerder reeds gespesifisieer Onverwagte karakter gevind: '%s' Geheuetoekenningsfout. Geheue is opgebruik
 PANIEK slegs inkrementbuffer %p pos %p uitbr %p grootte %d res %p
 Toelating geweier
 Profiel bestaan reeds
 Profiel stem nie ooreen met handtekening nie
 Profiel pas nie aan by protokol nie
 Profiel bestaan nie
 Verwydering van "%s" was suksesvol.
 Vervanging van "%s" was suksesvol.
 Kan %s - %s nie open nie
 ontbreek daar ’n reëleindkarakter? (inskrywing: %s) kan werkarea nie skep nie
 kan profiel nie seriemaak nie %s
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            R        m   <             <     0   N  3     6     >     $   )  2   N  >     G     =   	  R   F	  :   	     	  $   	     
     0
  )   N
     x
  w   
  /        ?     ]  !   x  +     '     /             <  2   P  &     ,     9     $   
  3   6
  7   j
     
  2   V  "     &          0     F     D   b  C                 -   -  1   [       J     E     W   5            0     .             7  ;   F            !     $          (     1   4     f                  /   R  u     [     4   T  :     -     (             7  $   W    |  -     ^   D  u     u               Y     Q     y   H  y     P   <            !     3     !     #     J   =  ,          F     #     "     6      @   P   :      K      <   !  $   U!  T   z!  <   !  P   "  ]   ]"  =   "  [   "  g   U#  2  #  J   $  ,   ;%  <   h%  !   %  G   %  i   &  o   y&  f   &  7   P'  7   '  I   '  D   
(  $   O(  n   t(  e   (     I)  (   )  3   )  C   '*  A   k*  &   *     *  ]   *     K+  .   b+  >   +  D   +  (   ,  T   >,  T   ,  #   ,  %   -     2-     K-  Z   =.     .     g/  x   /  |   w0  6   0  e   +1  &   1  8   1  ;   1     J   !      	   :              A   (              =   F       -      9                  7          D   3   $      P       L   <          
       0       6      H   K   1   >   2                             8          E           ?   Q             G      *   B       &   @   R                              C   I   "   )   M       5      O            %      #   /   +      ,      4   '       .   
   N   ;    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 01:29+0000
Last-Translator: Novell Language <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: ar
 %s: تأكيد: خيار غير صالح: %d
 %s: تعذر تخصيص ذاكرة لنقطة توصيل قاعدة المجال الفرعي
 %s: تم العثور على أخطاء أثناء المعالجة اللاحقة.  يتم الآن الإيقاف.
 %s: تم العثور على أخطاء أثناء المعالجة اللاحقة.  يتم الآن الإيقاف.
 %s: تم العثور على أخطاء أثناء المعالجة اللاحقة لـ regex. يتم الآن الإيقاف.
 %s: تم العثور على أخطاء أثناء المعالجة اللاحقة لقواعد الدمج. يتم الآن الإيقاف.
 %s: تم العثور على أخطاء في الملف. يتم الآن الإيقاف.
 %s: فتح غير شرعي (، غير مسموح بتجميعات متداخلة
 %s: تم اكتشاف تجاوز سعة الذاكرة الوسيطة الداخلية، %d تم تجاوز الأحرف
 %s: خطأ في تجميع Regex: إغلاق غير صالح }، لا يوجد فتح متوافق ( تم اكتشافه
 %s: خطأ في تجميع Regex: عدد غير صالح للبنود بين {}
 %s: خطأ في تجميع Regex: تجميع غير مغلق أو فئة أحرف غير مغلقة، الإغلاق المتوقع }
 %s: عذرًا. يجب أن تتوفر لديك امتيازات المسؤول لكي تتمكن من تشغيل هذا البرنامج.

 %s: تعذرت إضافة "%s".   %s: تعذر تحليل سطر الإدخال '%s'
 %s: تعذرت إزالة "%s".   %s: تعذر استبدال "%s".   %s: تعذرت كتابة إدخال ملف التعريف بالكامل
 %s: تعذرت الكتابة إلى stdout
 %s: تحذير!لقد قمت بتعيين جذر setuid لهذا البرنامج.
يمكن لأي شخص يستطيع تشغيل هذا البرنامج القيام بتحديث ملفات تعريف AppArmor.

 (network_mode) تم العثور على حرف غير متوقع: '%s' نجحت الإضافة لـ "%s".
 خطأ في محلل AppArmor: %s
 تأكيد: أرجعت "hat rule" قيمة خالية. تأكيد: أرجعت `local_profile rule' قيمة خالية. تأكيد: أرجع `change_profile' قيمة خالية. تأكيد: أرجعت `network_rule' بروتوكولاً غير صالح. تأكيد: أرجعت "القاعدة" قيمة خالية. موضع كتابة غير صالح
 لا يمكن استخدام الإذنين 'a' و'w' المتعارضين معًا. تعذر دمج الإدخالات. نفدت الذاكرة
 خطأ أثناء إضافة قاعدة وصول hat لملف التعريف %s
 خطأ أثناء توسيع متغيرات ملف التعريف %s، فشل التحميل
 خطأ في ملف التعريف %s، فشل التحميل
 خطأ أثناء دمج القواعد لملف التعريف %s، فشل التحميل
 خطأ أثناء معالجة تعبيرات regex لملف التعريف %s، فشل التحميل
 خطأ في ملف التعريف %s الذي يحتوي على عناصر سياسة غير قابلة للاستخدام مع kernel:
	غير مسموح باستخدام '*' و'?' ونطاقات الأحرف والتبديلات.
	لا يمكن استخدام '**' إلا في نهاية القاعدة.
 خطأ: تعذرت إضافة الدليل %s إلى مسار البحث.
 خطأ: تعذر تخصيص الذاكرة.
 خطأ: تعذرت قراءة ملف التعريف %s: %s.
 خطأ: نفدت الذاكرة.
 خطأ: basedir %s ليس دليلاً، يتم الآن التخطي.
 المؤهل التنفيذي '%c%c' غير صالح، تم تحديد مؤهل متعارض بالفعل المؤهل التنفيذي '%c' غير صالح، تم تحديد المؤهل المتعارض بالفعل المؤهل التنفيذي 'i' غير صالح، تم تحديد مؤهل متعارض بالفعل فشل إنشاء الاسم المستعار %s -> %s
 تم العثور على حرف غير متوقع: '%s' تسبب خطأ داخلي في إنشاء إذن غير صالح 0x%llx
 داخلي: حرف وضع غير متوقع '%c' في الإدخال إمكانية غير صالحة %s. وضع غير صالح، يجب وضع 'x' بعد المؤهل التنفيذي 'i' أو 'p' أو 'c' أو 'u' وضع غير صالح، يجب وضع المؤهل التنفيذي 'i' أو 'p' أو 'u' قبل 'x' وضع غير صالح، في قواعد الرفض يجب وضع 'x' قبل المؤهل التنفيذي 'i' أو 'p' أو 'u' إدخال الشبكة غير صالح. علامة ملف تعريف غير صالحة: %s. خطأ في تخصيص الذاكرة: تعذرت إزالة %s:%s. خطأ في تخصيص الذاكرة: تعذرت إزالة ^%s
 خطأ في تخصيص الذاكرة. نفدت الذاكرة
 PANIC ذاكرة وسيطة للزيادة غير صالحة %p pos %p ext %p size %d res %p
 الإذن مرفوض
 ملف التعريف موجود بالفعل
 ملف التعريف غير متوافق مع التوقيع
 ملف التعريف غير متوافق مع البروتوكول
 ملف التعريف غير موجود
 لم تعد علامة ملف التعريف 'تصحيح الأخطاء' صالحة. لا تدعم الوحدة النمطية Apparmor إصدار ملف التعريف
 نجحت الإزالة لـ "%s".
 نجح الاستبدال لـ "%s".
 تعذر فتح %s - %s
 يسمح المؤهل التنفيذي غير المقيد (%c%c) بتمرير بعض متغيرات البيئة الخطيرة إلى العملية غير المقيدة؛ راجع 'man 5 apparmor.d' للحصول على التفاصيل.
 إلغاء تعيين المتغير المنطقي %s المستخدم في تعبير if يتم إهمال المؤهلات بأحرف كبيرة "RWLIMX"، الرجاء تحويلها إلى أحرف صغيرة
راجع صفحة الدليل apparmor.d(5) للحصول على التفاصيل.
 تحذير: تعذر العثور على نظام ملفات مناسب في %s، هل تم توصيله؟
استخدم --subdomainfs لتجاوزه.
 تعارض بين الارتباط والأذونات التنفيذية في قاعدة ملف عند استخدام -> لا يُسمح باستخدام أذونات الارتباط في عملية انتقال ملف تعريف معروفة.
 حرف نهاية سطر مفقود؟ (إدخال: %s) لا يمكن استخدام المجموعة الفرعية إلا مع قواعد الارتباط. تعذر إنشاء منطقة عمل
 تعذر تعيين تسلسل ملف التعريف %s
 قاعدة غير آمنة بدون أذونات تنفيذ                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:10+0000
Last-Translator: Borislav Mitev <morbid_viper@tkzs.org>
Language-Team: Bulgarian <bg@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: bg
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     %      D  5   l      @     A  <   a  >     $     2     >   5  G   t  =          $        9     V  )   t            !               &   /  $   V  C   {                  ;        D     W  !   o  $                          -   #     Q     m      0   &
     W
     
  g     s             H
     
  8     S     A     P   R  `     /     V   4  S     O     6   /     f  s        \  T     ;   Z  ,     h     F   ,  N   s  Y     P     B   m  T     d     ,   j  k     N     P   R                                         "                 $   #      
           
                                     %   !                                     	                        %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 Addition succeeded for "%s".
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Couldn't merge entries. Out of Memory
 ERROR in profile %s, failed to load
 Exec qualifier 'i' invalid, conflicting qualifier already specified Found unexpected character: '%s' Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 01:37+0000
Last-Translator: Priyavert <Unknown>
Language-Team: AgreeYa Solutions <linux_team@agreeya.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: bn
 %s: ASSERT: অবৈধ বিকল্প: %d
 %s: সাবডোমেনবেস মাউন্ট পয়েন্টের জন্যে স্মৃতি বন্টন করতে পারে নি
 %s: পোস্টপ্রসেসিং নিয়মাবলী একীভূত করায় ত্রুটি পাওয়া গেছে। বাতিল করছে।
 %s: ফাইলে ত্রুটি পাওয়া গেছে। বাতিল করছে।
 %s: অবৈধ খোলা {, নেস্টিং গ্রুপিংয়ের অনুমতি নেই
 %s: অভ্যন্তরীণ বাফার অতিপ্রবাহের সন্ধান পাওয়া গেছে,  %d গুলি অক্ষর বেশি
 %s: Regex দলবদ্ধকরণের ত্রুটি: অবৈধ বন্ধ }, কোন মিলযুক্ত খোলা{ পাওয়া যায় নি
 %s: Regex দলবদ্ধকরণের ত্রুটি: {} এর মধ্যে অবৈধ সংখ্যক বস্তু
 %s: "%s" যোগ করতে পারে নি।   %s: ইনপুট ফাইল '%s' পার্স করতে অক্ষম
 %s: "%s" অপসারণ করতে পারে নি।   %s: "%s" প্রতিস্থাপন করতে পারে নি।   %s: সমগ্র প্রোফাইল এনট্রি লিখতে অক্ষম
 %s: stdout এ লিখতে অক্ষম
 "%s" এর ক্ষেত্রে যোগ করা সফল হয়েছে।
 দৃঢ় ঘোষণা: `hat rule' NULL ফেরত পাঠিয়েছে। দৃঢ় ঘোষণা: `rule' NULL ফেরত পাঠিয়েছে। লেখার খারাপ অবস্থান
 এনট্রিগুলি একীভূত করতে পারে নি।স্মৃতি পরিপূর্ণ
 %s প্রোফাইলে ত্রুটি আছে, চালাতে ব্যর্থ হয়েছে
 Exec কোয়ালিফায়ার 'i' অবৈধ, বিবাদমান কোয়ালিফায়ার ইতোমধ্যেই বিদ্যমান অপ্রত্যাশিত অক্ষর পাওয়া গেছে: '%s' স্মৃতি বন্টনে ত্রুটি। স্মৃতি পরিপূর্ণ
 PANIC খারাপ ইনক্রিমেন্ট বাফার %p pos %p ext %p size %d res %p
 অনুমতি অস্বীকার করা হয়েছে
 প্রোফাইল ইতোমধ্যেই বিদ্যমান
 প্রোফাইল স্বাক্ষরের সাথে মেলে না
 প্রোফাইল প্রোটোকল মেনে চলে না
 প্রোফাইলের অস্তিত্ব নেই
 "%s"এর ক্ষেত্রে অপসারণ সফল হয়েছে।
 "%s" এর ক্ষেত্রে প্রতিস্থাপন সফল হয়েছে।
 %s খুলতে পারে নি - %s
 লাইন সমাপ্তির অক্ষর অনুপস্থিত? (এনট্রি: %s) কাজের এলাকা তৈরি করতে পারে নি
 %s প্রোফাইল ক্রমিক করতে পারে নি
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        $      ,       8     9               Project-Id-Version: apparmor
Report-Msgid-Bugs-To: FULL NAME <EMAIL@ADDRESS>
PO-Revision-Date: 2019-12-12 02:59+0000
Last-Translator: FULL NAME <EMAIL@ADDRESS>
Language-Team: Tibetan <bo@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-12-13 05:38+0000
X-Generator: Launchpad (build c597c3229eb023b1e626162d5947141bf7befb13)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               )                               #   &     J     i       *     2     "          0   3  0   d  .          ;          ?   "     b  !   z  $          1        
      '     H     `     x  &         #   =     a     |       &               "   	  1   A	  ?   s	  %   	     	  <   	  5   5
  3   k
     
  I   
     	  >        \     q            0                  ,     F     b  ,   w               
                                                      	       
                                                            %s: ASSERT: Invalid option: %d
 %s: Unable to add "%s".   %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write to output file
 %s: Unable to write to stdout
 Addition succeeded for "%s".
 Bad write position
 Couldn't copy profile: Bad memory address
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unknown error (%d): %s
 Unknown pattern type
 profile %s network rules not enforced
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2014-05-01 19:36+0000
Last-Translator: Samir Ribić <Unknown>
Language-Team: Bosnian <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: bs
 %s: PROVJERA: Neispravan izbor: %d
 %s: Ne mogu dodati "%s".   %s : Ne mogu ukloniti  "%s".   %s: Ne mogu zamijeniti "%s".   %s: Ne mogu pisati u izlaznu datoteku
 %s: Ne mogu pisati na stdout
 Dodavanje je uspjelo za "%s".
 Neipravan položaj za zapisivanje
 Ne mogu kopirati profil: Loša memorijska adresa
 Greška: Ne mogu dodati direktorij  %s u stazu koja se traži.
 Greška: Ne mogu alocirati memoriju.
 Greška: Nema više memorije.
 Greška: osnovni direktorij %s nije direktorij, preskačem.
 Greška memorijske alokacije: Ne mogu ukloniti %s:%s. Greška memorijske alokacije: Ne mogu ukloniti ^%s
 Nedostaje mi slobodne memorije
 PANIKA neispravan inkrementalni spremnik %p pol %p ekst %p vel %d raz %p
 Odobrenje odbijeno
 Dozvola odbijena; pokušao da učita profil, dok je zatvoren?
 Profil već postoji
 Profil ne odgovara potpisu
 Profil ne odgovara protokolu
 Profil ne postoji
 Verzija profila nije podržana Apparmor modulom
 Uklanjanje je uspjelo za "%s".
 Zamjena je uspjela za "%s".
 Ne mogu otvoriti %s - %s
 Nepoznata greška (%d): %s
 Nepoznat tip uzorka
 profil %s mrežna pravila nisu primijenjena
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 %      D  5   l      @     A  <   a  >     $     2     >   5  G   t  =          $        9     V  )   t            !               &   /  $   V  C   {                  ;        D     W  !   o  $                          -   #     Q     m  {    *   	
  T   4
  ^   
  >   
  K   '  b   s       l   `       1        
  !   ;
  1   ]
  "   
     
  *   
  &   
  !   $  5   F  +   |  d     (   
  1   6     h  `   x            )     ,   +     X  !   o  $          4     #     #   (                                         "                 $   #      
           
                                     %   !                                     	                        %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 Addition succeeded for "%s".
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Couldn't merge entries. Out of Memory
 ERROR in profile %s, failed to load
 Exec qualifier 'i' invalid, conflicting qualifier already specified Found unexpected character: '%s' Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 01:59+0000
Last-Translator: Christian Boltz <Unknown>
Language-Team: Catalan
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: ca
 %s: confirmació: l'opció no vàlida: %d
 %s: no s'ha pogut assignar memòria per al punt de muntatge de la base de subdomini
 %s: s'han detectat errors en combinar el postprocessament de regles. S'avortarà l'operació.
 %s: s'han detectat errors al fitxer. S'avortarà l'operació.
 %s: l'obertura { no és vàlida, no es permet la imbricació d'agrupaments
 %s: s'ha detectat un desbordament de la memòria intermèdia interna, s'han excedit %d caràcters
 %s: s'ha produït un error d'agrupament d'expressions regulars: el tancament } no és vàlid; no s'ha detectat cap obertura { coincident
 %s: s'ha produït un error d'agrupament d'expressions regulars: el nombre d'elements entre {} no és vàlid
 %s: no es pot afegir "%s".   %s: no es pot analitzar la línia d'entrada '%s'
 %s: no es pot eliminar "%s".   %s: no es pot reemplaçar "%s".   %s: no es pot escriure tota l'entrada del perfil
 %s: no es pot escriure a l'stdout
 "%s" s'ha afegit correctament.
 Confirmació: 'hat rule' ha retornat NULL. Confirmació: `rule' ha retornat NULL. Posició d'escriptura incorrecta
 No s'han pogut fusionar les entrades. Sense memòria
 ERROR al perfil %s, no s'ha pogut carregar
 El qualificador d'execució 'i' no és vàlid; entra en conflicte amb un qualificador ja especificat S'ha trobat un caràcter inesperat: '%s' S'ha produït un error d'assignació de memòria. Sense memòria
 EMERGÈNCIA: increment incorrecte de la memòria intermèdia %p pos. %p ext. %p mida %d res. %p
 Permís denegat
 El perfil ja existeix
 El perfil no coincideix amb la signatura
 El perfil no és compatible amb el protocol
 El perfil no existeix
 "%s" s'ha eliminat correctament.
 "%s" s'ha reemplaçat correctament.
 No es pot obrir %s - %s
 falta un caràcter de final de línia? (entrada: %s) no es pot crear l'àrea de treball
 no es pot serialitzar el perfil %s
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               $      ,       8     9               Project-Id-Version: apparmor
Report-Msgid-Bugs-To: AppArmor list <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2014-08-13 08:08+0000
Last-Translator: AppArmor list <apparmor@lists.ubuntu.com>
Language-Team: Chechen <ce@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: ce
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             R        m   <             <     0   N  3     6     >     $   )  2   N  >     G     =   	  R   F	  :   	     	  $   	     
     0
  )   N
     x
  w   
  /        ?     ]  !   x  +     '     /             <  2   P  &     ,     9     $   
  3   6
  7   j
     
  2   V  "     &          0     F     D   b  C                 -   -  1   [       J     E     W   5            0     .             7  ;   F            !     $          (     1   4     f                  /   R  u     [     4   T  :     -     (             7  $   W    |        =   7  5   u  5     N     K   0      |  E     I     a   -  A          A   T       +               '     +   ;     g  ,        >     \      x  *     /     4        )     F  0   _  ,     A     X     )   X  P     a        5   6          %!  #   F!     j!  @   !  X   !  W   "  U   w"     "  !   "  1   #  1   A#     s#  P   #  G   #  K   $$     p$      $  3   $  1   $     %     )%  G   =%     %     %     %     %     %  -   &  *   0&     [&     {&     &     &  E   '     '     ^(  ?   (  @   !)  )   b)  9   )  !   )     )  7   *     J   !      	   :              A   (              =   F       -      9                  7          D   3   $      P       L   <          
       0       6      H   K   1   >   2                             8          E           ?   Q             G      *   B       &   @   R                              C   I   "   )   M       5      O            %      #   /   +      ,      4   '       .   
   N   ;    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 02:07+0000
Last-Translator: Novell Language <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: cs
 %s: ASSERT: neplatná volba: %d
 %s: Nelze alokovat paměť pro bod připojení subdomainbase
 %s: Nalezeny chyby během postprocesingu. Ukončuji.
 %s: Nalezeny chyby během postprocesingu. Ukončuji.
 %s: Nalezeny chyby během postprocesingu regulárního výrazu. Ukončuje se.
 %s: Nalezeny chyby při postprocesingu kombinačních pravidel. Ukončuji.
 %s: Chyby v souboru. Ukončuji.
 %s: nepovolená otvírací {, vnořené seskupování není povoleno
 %s: Detekováno vnitřní přetečení zásobníku, přesáhlo %d znaků
 %s: Chyba seskupování regex: neplatná uzavírací }, nenalezena odpovídající otevírací {
 %s: Chyba seskupování regex: neplatný počet položek mezi {}
 %s: Chyba seskupování regulárního výrazu: Neuzavřené seskupování nebo třída znaků, očekává se koncová závorka }.
 %s: Ke spuštění tohoto programu jsou třeba práva správce.

 %s: Nelze přidat "%s".   %s: Nelze analyzovat vstupní řádku '%s'
 %s: Nelze odstranit "%s".   %s: Nelze nahradit "%s".   %s: Nelze zapsat celý záznam profilu
 %s: nelze zapisovat na standardní výstup
 %s: Upozornění: Hodnota setuid tohoto programu byla nastavena na uživatele root.
Kdokoliv může spustit tento program, může aktualizovat profily modulu AppArmor.

 (režim_sítě) Nalezen neplatný znak: '%s' Přidání uspělo pro "%s".
 Chyba parseru AppArmor: %s
 Assert: 'hat rule' vrátil NULL. Assert: 'local_profile rule' vrátil NULL. Assert: `změna_profilu' vrátila hodnotu NULL. Assert: `pravidlo_sítě' vrací neplatný protokol. Assert: `rule' vrátil NULL. Špatná pozice zápisu
 Oprávnění 'a' a 'w' se vzájemně vylučují. Nelze sloučit záznamy. Nedostatek paměti
 Chyba při přidání pravidla pro přístup k hat pro profil %s
 CHYBA při rozšíření proměnných pro profil %s, došlo k chybě při načítání.
 CHYBA v profilu %s, selhalo načítání
 CHYBA při slučování pravidel profilu %s, došlo k chybě při načítání.
 CHYBA při zpracování regulárních výrazů pro profil %s, došlo k chybě při načítání.
 CHYBOVÝ profil %s obsahuje prvky zásad, které nelze použít s tímto jádrem:
	'*', '?', rozsahy znaků a střídání nejsou povoleny.
	'**' lze použít pouze na konci pravidla.
 Chyba: Adresář %s nelze přidat ke hledané cestě.
 Chyba: Nelze přidělit paměť
 Chyba: Nelze číst profil %s: %s.
 Chyba: Nedostatek paměti
 Chyba: Základní adresář %s není adresář, přeskakuje se.
 Exec kvalifikátor '%c%c' je neplatný, byl již specifikován konfliktní kvalifikátor Kvalifikátor spuštění '%c' je neplatný, již byl zadán konfliktní kvalifikátor. Exec kvalifikátor 'i' je neplatný, byl již specifikován konfliktní kvalifikátor Nelze vytvořit alias %s -> %s
 Nalezen neočekávaný znak: '%s' Vnitřní chyba způsobila neplatné perm 0x%llx
 Vnitřní: Neznámý znak režimu '%c' na vstupu. Neplatná schopnost %s. Neplatný režim, před 'x' musí být exec kvalifikátor 'i', 'p', 'c' nebo 'u' Neplatný režim, před 'x' musí být kvalifikátor 'i', 'p' nebo 'u'. Neplatný režim, před 'x' musí být exec kvalifikátor 'i', 'p' nebo 'u' Neplatná položka sítě. Neplatný příznak profilu: %s. Chyba alokace paměti: není možné odebrat %s:%s. Chyba alokace paměti: není možné odebrat ^%s
 Chyba alokace paměti. Nedostatek paměti
 PANIKA: chybný přírůstkový buffer %p pos %p ext %p size %d res %p
 Oprávnění odepřeno
 Profil již existuje
 Profil neodpovídá podpisu
 Profil neodpovídá protokolu
 Profil neexistuje
 Příznak profilu 'debug' již není platný. Modul Apparmor nepodporuje verzi profilu.
 Odstranění uspělo pro "%s".
 Nahrazení uspělo pro "%s".
 Nelze otevřít %s - %s
 Neomezený kvalifikátor spuštění (%c%c) umožňuje, že jsou neomezenému procesu předány některé nebezpečné proměnné prostředí. Podrobnosti uvádí manuálová stránka 'man 5 apparmor.d'.
 Ve výrazu 'if' byla použita nenastavená booleovská proměnná %s. Kvalifikátory velkými písmeny "RWLIMX" jsou zastaralé, převeďte je na malá písmena.
Podrobnosti naleznete v manuálové stránce apparmor.d(5).
 Upozornění: Nelze nalézt vhodný souborový systém v %s, je připojen?
Možnost lze přepsat pomocí možnosti --subdomainfs.
 link a exec perms konflikt souboru pravidel používajícím -> link perms nejsou povoleny na přechodu pojmenovaného profilu.
 chybí znak konce řádku?  (záznam: %s) podskupina může být použita pouze s pravidly odkazů. nelze vytvořit pracovní oblast
 nelze serializovat profil %s
 nebezpečné pravidlo nemá oprávnění ke spuštění                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:14+0000
Last-Translator: Kevin Donnelly <kevin@dotmon.com>
Language-Team: Welsh <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: cy
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           R        m   <             <     0   N  3     6     >     $   )  2   N  >     G     =   	  R   F	  :   	     	  $   	     
     0
  )   N
     x
  w   
  /        ?     ]  !   x  +     '     /             <  2   P  &     ,     9     $   
  3   6
  7   j
     
  2   V  "     &          0     F     D   b  C                 -   -  1   [       J     E     W   5            0     .             7  ;   F            !     $          (     1   4     f                  /   R  u     [     4   T  :     -     (             7  $   W    |  #     K   @  -     -     <     C   %  #   i  @     6     T     E   Z  ^     J        J  3   j            4     2        D  ,               '   2  0   Z  ,     6     !          <   *  7   g  =     A     '     ;   G  C          4      %      (         !  7   0!  V   h!  T   !  S   "  "   h"     "  1   "  ,   "     #  @   #  ;   ]#  e   #     #     $  9   0$  7   j$      $     $  @   $     %     .%  !   J%      l%     %  .   %  8   %     
&     +&     J&     d&  1   &     1'  z   '  D   2(  C   w(  .   (  %   (  +   )  )   <)  *   f)     J   !      	   :              A   (              =   F       -      9                  7          D   3   $      P       L   <          
       0       6      H   K   1   >   2                             8          E           ?   Q             G      *   B       &   @   R                              C   I   "   )   M       5      O            %      #   /   +      ,      4   '       .   
   N   ;    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 02:33+0000
Last-Translator: Martin Schlander <Unknown>
Language-Team: Danish <opensuse-translation@opensuse.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: da
 %s: PÅSTAND: Ugyldigt tilvalg: %d
 %s. Kunne ikke tildele hukommelse til underdomænegrundens monteringspunkt
 %s: Fejl fundet i efterbehandling. Afbryder.
 %s: Fejl fundet i efterbehandling. Afbryder.
 %s: Fejl fundet i efterbehandling af reg. udtryk. Afbryder.
 %s. Fejl fundet i efterbehandling af kombineringsregler. Afbryder.
 %s: Fundet fejl i filen. Afbryder.
 %s: ulovlig  åbning {, indlejrede grupperinger er ikke tilladt
 %s: Intern bufferoverflow fundet, %d tegn overskredet
 %s. Grupperingsfejl i reg. udtryk: Ugyldig lukke }, ingen passende åbning { fundet
 %s. Grupperingsfejl i reg. udtryk: Ugyldig antal elementer mellem {}
 %s. Grupperingsfejl i reg. udtryk: Ikke lukket gruppering eller tegnklasse, forventer lukke }
 %s. Desværre. Du skal have root-rettigheder for at køre dette program.

 %s: Kunne ikke tilføje "%s".   %s: Ikke i stand til at fortolke inddatalinje '%s'
 %s: Kunne ikke fjerne "%s".   %s: Kunne ikke erstatte "%s".   %s: Ikke i stand til at skrive hele profilindgangen
 %s: Ikke i stand til at skrive til standarduddata
 %s: Advarsel! Du har sat programmets setuid til root.
Enhver, der kan køre dette program, kan opdatere dine AppArmor-profiler.

 (netværk_tilstand) Fandt uventet tegn: '%s' Tilføjelse lykkedes for "%s".
 AppArmor fortolkningsfejl: %s
 Påstand: 'hatregel' returnerede NUL.L. Påstand: 'local_profile rule' returnerede NULL. Påstand: 'change_profile' returnerede NULL. Påstand: 'network_rule' returnereer ugyldig protokol. Påstand:`Regel' returneret NULL. Dårlig skrive position
 Konflikt, tilladelserne 'a' og 'w' er gensidigt udelukkende. Kunne ikke sammenslutte indgange. Ikke mere hukommelse
 FEJL under tilføjelse af 'hat'-adgangsregel for profilen %s
 FEJL: Udfoldning af variabler for profilen %s blev ikke indlæst
 FEJL i profilen %s. Blev ikke indlæst
 FEJL: Sammenslutningsregel for profilen %s, indlæste ikke
 FEJL: Behandling af reg. udtryk for profilen %s blev ikke indlæst
 FEJL: Profilen %s indeholder elementer i retningslinjerne, som ikke er brugbare med denne kerne:
	'*', '?', tegnområderne og lignende er ikke tilladt.
	'**' må kun bruges i slutningen af en regel.
 Fejl: Kunne ikke tilføje mappen %s til søgestien.
 Fejl: Kunne ikke tildele hukommelse.
 Fejl: Kunne ikke læse profilen %s: %s.
 Fejl: Ikke mere hukommelse.
 Fejl: Udgangsmappe %s er ikke en mappe. Springer over.
 Kørselstilladelse '%c%c' er ugyldig. Konflikt med en allerede specificeret tilladelse Kørselstilladelse '%c' er ugyldig. Konflikt med en allerede specificeret tilladelse Kørselstilladelse 'i' er ugyldig. Konflikt med en allerede specificeret tilladelse Kunne ikke oprette alias %s -> %s
 Fundet uventet tegn: '%s' Intern fejl genererede ugyldig tilladelse 0x%llx
 Intern: Uventet tilstandstegn '%c' i inddata Ugyldig kapabilitet %s. Ugyldig tilstand, 'i', 'p', 'c' eller 'u' skal gå forud for 'x' Ugyldig tilstand, 'i', 'u' eller 'p' skal gå forud for 'x' Ugyldig tilstand, i afvisningsregler må kørselstilladelse 'i', 'u' eller 'p' ikke gå forud for 'x' Ugyldig netværkspunkt. Ugyldigt profilflag: %s. Fejl i allokering af hukommelse: Kunne ikke fjerne %s:%s. Fejl i allokering af hukommelse: Kunne ikke fjerne ^%s
 Fejl i allokering af hukommelse. Ikke mere hukommelse
 PANIK dårlig optællingsbuffer %p pos %p ext %p size %d res %p
 Tilladelse nægtet
 Profil eksisterer allerede
 Profil stemmer ikke med signatur
 Profil passer ikke til protokol
 Profil eksisterer ikke
 Profilflaget 'debug' er ikke længere gyldigt. Profilversion er ikke understøttet af AppArmor-modulet
 Fjernelse lykkedes for "%s".
 Erstatning lykkedes for "%s".
 Kunne ikke åbne %s - %s
 Uindskrænket exec qualifier (%c%c) tillader at nogle farlige miljøvariabler overføres til den uindskrænkede proces. Se detaljer i 'man 5 apparmor.d'.
 Fravalgt boolean-varibael %s brugt i et if-udtryk Store bogstaver i tilladelser  "RWLIMX" er forældet. Konverter venligst til små bogstaver
Se apparmor.d(5) man-sider for detaljer.
 Advarsel: Ikke i stand til at finde et passende filsystem i %s, Er den monteret?
Brug --subdomainfs for at tilsidesætte.
 link- og kørselstilladelser konflikter om en filregel som bruger -> linktilladelser er ikke tilladt på en navngiven profiltransition.
 mangler afslutningstegn i linjen? (Indgang %s) subset kan kun bruges med linkregler. Ikke i stand til at oprette arbejdsområde
 Ikke i stand til at serieordne profil %s
 usikker regel mangler eksekvértilladelser                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    
      l   
             m      
   _  <   m  (          #                   )    J  u        Y  M   l  :     !     -        E     I  *   c                                   	   
       %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: AppArmor list <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2018-02-09 23:55+0000
Last-Translator: Tobias Bannert <tobannert@gmail.com>
Language-Team: German <de@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: de
 %s: [Optionen]
  Optionen:
  -q | --quiet        Keine Nachrichten anzeigen
  -h | --help         Hilfetext anzeigen
 Fehler – »%s«
 Vielleicht – ungenügende Berechtigungen, um die Verfügbarkeit zu prüfen
 Vielleicht – Richtlinienschnittstelle nicht verfügbar.
 Nein – beim Start deaktiviert.
 Nein – auf diesem System nicht verfügbar.
 Ja
 unbekannte Option »%s«
 unbekannte oder nicht kompatible Optionen
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  	           	  <   )  0   f  3     6     >   
  $   A
  2   f
  >   
  7   
  /     9   @  G   z  G     =   
  R   H  :          $             2     P  )   h  2     #          w     /          0     '        '  !   B  +   d  '     /                     "   ;  !   ^  !     2               0     *   6  &   a  ,     9     $     3     ?   H  7          7   t  2     "     ;     3   >  &   r       0     F     D   (  C   m             %         
  .   .  0   ]  -     4     6     1   (     Z  J   q  E     W        Z     q  0     .          
          ;   !     ]  ?   p       )     !     $        9  (   P  F   y  :     >     <   :  M   w  1                   5     M            /      u   A   3      !      [   
!     i!  *   x!     !     !     !  "   !  4   "  :   H"  -   "  .   "     "  *   "  $   #  %   D#     j#  ,   #  &   #  '   #  (   #  (   ($  &   Q$  &   x$  <   $     $  (   $     %     6%  *   V%  $   %    %  "   K'  U   n'  >   '  >   (  o   B(  o   (  J   ")  O   m)  @   )  G   )  Q   F*  M   *  p   *  p   W+  J   +  m   ,  O   ,  ,   ,  5   ,  (   4-  '   ]-  &   -  0   -  G   -  -   %.  0   S.     .  4   */  %   _/  3   /  )   /     /  4   /  >   40  :   s0  8   0  0   0     1  5   41  8   j1  1   1  5   1  >   2  $   J2  .   o2  I   2  <   2  I   %3  <   o3  J   3  1   3  @   )4  ^   j4  E   4     5  N   5  I   N6  3   6  M   6  Q   7  ;   l7  "   7  D   7  y   8  w   8  v   9  -   y9     9  "   9  %   9  ?   
:  B   J:  :   :  :   :  =   ;  7   A;     y;  q   ;  j   <  |   p<     <     
=  ;   )=  9   e=     =     =     =  \   =     K>  _   _>     >  +   >  2   	?  *   <?     g?  /   ?  N   ?  B   @  F   E@  D   @  j   @  9   <A  #   vA  +   A  &   A     A     B     B  B   B     "C  6   C  !   C     D     D  .   D     D      E  "   <E  %   _E  s   E  T   E  &   NF  ;   uF  "   F  7   F  2   G  5   ?G      uG  :   G  5   G  8   H  6   @H  5   wH  4   H  5   H  Y   I     rI  1   I  *   I  ,   I  -   J  0   JJ     M          W   Z           8   K   s           
          7   o   |          =       
   {      6   q       k   P       u   ;          w                                #   U         )          $   0       ?   	   "       :       >   <   1      b   E                         ]   ~      _   S      i       %   \   a                 !   N           G   D                     &   I           @   (       r   *   [       V   ,         X                   -       d      j   e   O             J   A   n      Q   '   L      .   +      z   t   ^      5      l   R   g   4          }   B   c      3   v         f      `       m   Y       T   y   9   x              C      p         h      /                       H   2   F    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Invalid profile name '%s' - bad regular expression
 %s: Regex error: trailing '\' escape character
 %s: Regex grouping error: Exceeded maximum nesting of {}
 %s: Regex grouping error: Invalid close ], no matching open [ detected
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write %s
 %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error for %s%s%s at line %d: %s
 AppArmor parser error,%s%s line %d: %s
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Cached load succeeded for "%s".
 Cached reload succeeded for "%s".
 Can't create cache directory: %s
 Can't update cache directory: %s
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Could not process include directory '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing policydb rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 ERROR replacing aliases for profile %s, failed to load
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read binary profile or cache file %s: %s.
 Error: Could not read cache file '%s', skipping...
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Feature buffer full. File in cache directory location: %s
 Found unexpected character: '%s' Internal error generated invalid %s perm 0x%x
 Internal error generated invalid DBus perm 0x%x
 Internal error generated invalid perm 0x%llx
 Internal: unexpected %s mode character '%c' in input Internal: unexpected DBus mode character '%c' in input Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile flag attach_disconnected conflicts with no_attach_disconnected Profile flag chroot_attach conflicts with chroot_no_attach Profile flag chroot_relative conflicts with namespace_relative Profile flag mediate_deleted conflicts with delegate_deleted Profile names must begin with a '/', namespace or keyword 'profile' or 'hat'. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Variable declarations do not accept trailing commas Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 bad mount rule dbus rule: invalid conditional group %s=() deny prefix not allowed fstat failed for '%s' invalid mount conditional %s%s invalid pivotroot conditional '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) mount point conditions not currently supported opendir failed '%s' owner prefix not allow on capability rules owner prefix not allow on dbus rules owner prefix not allow on mount rules owner prefix not allowed owner prefix not allowed on capability rules owner prefix not allowed on dbus rules owner prefix not allowed on mount rules owner prefix not allowed on ptrace rules owner prefix not allowed on signal rules owner prefix not allowed on unix rules profile %s network rules not enforced
 profile %s: has merged rule %s with conflicting x modifiers
 stat failed for '%s' subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unix rule: invalid conditional group %s=() unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2018-04-06 14:39+0000
Last-Translator: Tobias Bannert <tobannert@gmail.com>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: de
 %s: ASSERT: Ungültige Option: %d
 %s: Dem Einhängepunkt der Unterdomänenbasis konnte kein Speicher zugeordnet werden
 %s: Fehler bei der Nachbearbeitung. Vorgang wird abgebrochen.
 %s: Fehler bei der Nachbearbeitung. Vorgang wird abgebrochen.
 %s: Während der Nachverarbeitung der regulären Ausdrücke sind Fehler aufgetreten. Vorgang wird abgebrochen.
 %s: Beim Kombinieren von Regeln in der Nachverarbeitung sind Fehler aufgetreten. Der Vorgang wird abgebrochen.
 %s: In der Datei wurde ein Fehler gefunden. Der Vorgang wird abgebrochen.
 %s: Öffnen mit { ungültig, verschachtelte Gruppierungen sind nicht zulässig
 %s: Interner Pufferüberlauf erkannt, %d Zeichen überschritten
 %s: Ungültiger Profilname »%s« – Fehlerhafter regulärer Ausdruck
 %s: Fehler im regulären Ausdruck: Schrägstrich »\« ist ein Ausschlusszeichen
 %s: Regex-Gruppierungsfehler: maximale Verschachtelung von {} überschritten
 %s: Regex-Gruppierungsfehler: Ungültiges schließendes Zeichen ], kein passendes öffnendes Zeichen [ gefunden
 %s: Regex-Gruppierungsfehler: Ungültiges schließendes Zeichen }, kein passendes öffnendes Zeichen { gefunden
 %s: Regex-Gruppierungsfehler: Ungültige Anzahl an Einträgen zwischen {}
 %s: Regex-Gruppierungsfehler: Nicht abgeschlossene Gruppierung oder Zeichenklasse, abschließende } erwartet
 »%s«: Sie benötigen Systemverwalterrechte zum Ausführen dieses Programms.

 %s: Hinzufügen von »%s« nicht möglich.   %s: Eingabezeile »%s« kann nicht analysiert werden
 %s: »%s« kann nicht entfernt werden.   %s: »%s« kann nicht ersetzt werden.   %s: Nicht in der Lage %s zu schreiben
 %s: Profileintrag kann nicht geschrieben werden
 %s: Schreiben des gesamten Profileintrags in den Puffer nicht möglich
 %s: Schreiben in Ausgabedatei nicht möglich
 %s: Schreiben in Standardausgabe nicht möglich
 %s: Achtung! Sie haben für dieses Programm »setuid root« festgelegt.
Alle Personen, die dieses Programm ausführen, können Ihre AppArmor-Profile aktualisieren.

 (network_mode) Unerwartetes Zeichen gefunden: »%s« Hinzufügen für »%s« erfolgreich.
 AppArmor-Analysefehler für %s%s%s in Zeile %d: %s
 AppArmor-Analysefehler,%s%s Zeile %d: %s
 AppArmor-Analysefehler: %s
 Assert: Für »hat rule« wurde NULL zurückgegeben. Assert: Für »local_profile rule« wurde NULL zurückgegeben. Assert: Für »change_profile« wurde NULL zurückgegeben. Assert: Für »network_rule« wurde NULL zurückgegeben. Assert: Für »rule« wurde NULL zurückgegeben. Ungültige Schreibposition
 Zwischengespeichertes Laden für »%s« erfolgreich.
 Zwischengespeichertes Neuladen für »%s« erfolgreich.
 Pufferverzeichnis kann nicht erstellt werden: %s
 Pufferverzeichnis kann nicht aktualisiert werden: %s
 Die Parameter »a« und »w« schließen sich gegenseitig aus. »%s« konnte nicht geöffnet werden »%s« konnte nicht in »%s« geöffnet werden Das enthaltene Verzeichnis »%s« in »%s« kann nicht verarbeitet werden Profil konnte nicht kopiert werden: falsche Speicheradresse
 Einträge konnten nicht zusammengeführt werden. Kein Speicher vorhanden
 FEHLER Hinzufügen von »hat«-Zugriffsregel für Profil %s
 FEHLER beim Erweitern der Variablen für Profil »%s«, Laden gescheitert
 FEHLER in Profil %s, konnte nicht geladen werden
 FEHLER Vereinigungsregeln für Profil »%s«, Laden gescheitert
 FEHLER beim Verarbeiten der policydb-Regeln für das Profil %s. Das Laden ist fehlgeschlagen.
 FEHLER Verarbeitung der Regexs für Profil »%s«, Laden gescheitert
 FEHLER Das Profil %s enthält Richtlinienelemente, die mit diesem Kernel nicht verwendet werden können:
	»*«, »?«, Zeichenbereiche und alternierende Sprachsetzung sind nicht erlaubt.
	»**« kann am Ende einer Regel verwendet werden.
 FEHLER beim ersetzen der Aliasse für Profil %s. Das Laden ist fehlgeschlagen
 Fehler: Verzeichnis »%s« konnte nicht zu Suchpfad hinzugefügt werden.
 Fehler: Es konnte kein Speicher zugeordnet werden.
 Fehler: Binär- oder Zwischenspeicherdatei kann nicht gelesen werden %s: %s.
 Fehler: Pufferdatei kann nicht gelesen werden »%s« - es wird übersprungen …
 Fehler: Profil »%s« konnte nicht gelesen werden: »%s«.
 Fehler: nicht genügend Speicher!
 Fehler: basedir »%s« ist kein Verzeichnis, es wird übersprungen.
 Ausführungskennzeichner »%c%c« ist ungültig, ein Kennzeichner, mit dem ein Konflikt besteht, wurde bereits angegeben. Ausführungskennzeichner »%c« ist ungültig, ein Kennzeichner, mit dem ein Konflikt besteht, wurde bereits angegeben. Ausführungskennzeichner »i« ist ungültig, ein Kennzeichner, mit dem ein Konflikt besteht, wurde bereits angegeben. Alias %s → %s konnte nicht erstellt werden
 Funktionspuffer ist voll. Datei im Pufferverzeichnisort: %s
 Unerwartetes Zeichen gefunden: »%s« Interner Fehler hat ungültige %s-Zugriffsrechte 0x%x erstellt
 Interner Fehler hat ungültige D-Bus-Zugriffsrechte 0x%x erstellt
 Interner Fehler erzeugte ungültige Zugriffsrechte 0x%llx
 Intern: Unerwartetes %s-Moduszeichen »%c« in der Eingabe Intern: Unerwartetes D-Bus-Moduszeichen »%c« in der Eingabe Intern: Unerwartetes Moduszeichen »%c« in der Eingabe Ungültige Fähigkeit %s. Ungültiger Modus, in Verbotsregeln muss vor »x« einer der exec-Qualifier »i«, »p«, »c« oder »u« stehen Ungültiger Modus, in Verbotsregeln muss vor »x« einer der exec-Qualifier »i«, »p« oder »u« stehen Ungültiger Modus, in den Verweigernregeln darf vor »x« keiner der Ausführungskennzeichner »i«, »p« oder »u« stehen Ungültiger Netzwerkeintrag. Ungültiger Profil-Marker: %s. Speicherzuordnungsfehler: %s:%s kann nicht entfernt werden. Speicherzuordnungsfehler: ^%s kann nicht entfernt werden
 Speicherzuordnungsfehler. Nicht genügend Speicher! Nicht genügend Speicher!
 PANIC - ungültiger Inkrement-Puffer %p Position %p Erweiterung %p Größe %d Auflösung %p
 Zugriff verweigert
 Zugriff verweigert! Haben Sie versucht ein Profil zu laden, während Sie eingeschränkt waren?
 Profil ist bereits vorhanden
 Profilanhang muss mit einem »/« beginnen. Das Profil stimmt nicht mit der Signatur überein
 Das Profil entspricht nicht dem Protokoll
 Profil ist nicht vorhanden
 Profil-Marker »debug« ist nicht mehr gültig. Profil-Marker attach_disconnected steht in Konflikt mit no_attach_disconnected Profil-Marker chroot_attach steht in Konflikt mit chroot_no_attach Profil-Marker chroot_relative steht in Konflikt mit namespace_relative Profil-Marker mediate_deleted steht in Konflikt mit delegate_deleted Profilnamen müssen mit einem »/«, Namensraum oder dem Schlüsselwort »profile« oder »hat« beginnen. Profilversion wird vom Apparmor-Modul nicht unterstützt
 Entfernen für »%s« erfolgreich.
 Ersetzungsvorgang für »%s« erfolgreich.
 %s kann nicht geöffnet werden – %s
 Nicht angebundener exec-Qualifier (%c%c) ermöglicht es einigen gefährlichen Umgebungsvariablen, an den unangebundenen Prozess übergeben zu werden; Einzelheiten mit »man 5 apparmor.d«.
 Unbekannter Fehler (%d): %s
 Unbekannter Mustertyp
 In Bedingungssatz verwendete Boolsche-Variable »%s« deaktivieren Die groß geschriebenen Qualifier »RWLIMX« sind veraltet, bitte nutzen Sie klein geschriebene.
Weitere Informationen auf der Handbuchseite apparmor.d(5).
 Variablendeklarationen dürfen nicht mit Kommata enden Warnung aus %s (%s%sZeile %d): %s Achtung: Es konnte kein geeignetes Dateisystem in »%s« gefunden werden. Ist es eingehängt?
Verwenden Sie --subdomainfs, um es außer Kraft zu setzen.
 Ungültige Einhängeregel D-Bus-Regel: ungültige Bedingungsgruppe %s=() Verweigernpräfix nicht erlaubt fstat fehlgeschlagen für »%s« Ungültige Einhängebedingung %s%s Ungültige pivotroot-Bedingung »%s« Verknüpfungs- und Ausführungsberechtigungen stehen in Konflikt mit einer Dateiregel, in der »->« verwendet wird Verknüpfungsberechtigungen sind bei einem benannten Profilübergang nicht erlaubt.
 Fehlt ein Zeilenumbruch? (Eintrag: %s) Einhängepunktbedingungen werden derzeit nicht unterstützt opendir fehlgeschlagen für »%s« Eigentümerpräfix nicht bei Fähigkeitsregeln erlauben Eigentümerpräfix nicht bei D-Bus-Regeln erlauben Eigentümerpräfix nicht bei Einhängeregeln erlauben Eigentümerpräfix nicht erlaubt Eigentümerpräfix ist nicht bei Fähigkeitsregeln erlaubt Eigentümerpräfix ist nicht bei D-Bus-Regeln erlaubt Eigentümerpräfix ist nicht bei Einhängeregeln erlaubt Eigentümerpräfix ist nicht bei ptrace-Regeln erlaubt Eigentümerpräfix ist nicht bei Signalregeln erlaubt Eigentümerpräfix ist nicht bei UNIX-Regeln erlaubt Netzwerkregeln für Profil %s werden nicht erzwungen
 Profil %s: enthält zusammengeführte Regel %s mit in Konflikt stehenden x-Modifizierern
 stat fehlgeschlagen für »%s« subset kann nur mit Link-Regeln verwendet werden. Arbeitsbereich kann nicht erstellt werden
 Serialisierung von Profil %s nicht möglich
 UNIX-Regel: ungültige Bedingungsgruppe %s=() Fehlende Ausführungsrechte bei unsicherer Regel                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          9        O                <   	  6   F  >   }  $     2     >     G   S  =     R     :   ,     g  $               )          w   *            !             	  &   /	  9   V	  $   	  3   	  7   	     !
  2   
  "     &   +     R  0   i  D     C         #  1   D  E   v            ;         
     3
  !   K
  $   m
     
  1   
     
      
       /   1  u   a  -             !    A  ?     v                O     b     r   b       t   `          y  /   
  I   :  .     9     M     4   ;    p  6   u  )     =     9     %   N  R   t  o     E   7  r   }  l     _  ]  p     H   .  B   w  '     ^        A  n     G   3  r   {       5   w         K      -   !  (   @!  G   i!  S   !  (   "  c   ."     "  @   "  .   "  p   #     #  Y   K$  D   $  <   $                               9   #             4         '          	                   *       6       8   0                &          5      7   ,   1   3          %                 .                    )   $                +   -   "   
       
   (           !       /          2       %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Couldn't merge entries. Out of Memory
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Found unexpected character: '%s' Internal: unexpected mode character '%c' in input Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 01:42+0000
Last-Translator: Vasileios Giannakopoulos <Unknown>
Language-Team: Ελληνικά <billg@billg.gr>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: el
 %s ΠΑΡΕΜΒΑΣΗ: Λανθασμένη επιλογή: %d
 %s: Αδυναμία προσδιορισμού μνήμης για subdomainbase σημείο προσάρτησης
 %s: Βρέθηκαν σφάλματα κατα τη διάρκεια της μετεπεξεργασίας regex.  Αποχώρηση.
 %s: Βρέθηκαν σφάλματα στους συνδυαστικούς κανόνες μετεπεξεργασίας. Αποχώρηση.
 %s: Βρέθηκαν σφάλματα στο αρχείο. Αποχώρηση.
 %s: Παράνομο άνοιγμα {, δεν επιτρέπονται ομαδοποιήσεις
 %s: Εσωτερική διαρροή ζώνης ανιχνεύθηκε, υπέρβαση %d χαρακτήρων
 %s: Σφάλμα ομαδοποίησης Regex: Λάθος κλείσιμο }, δεν βρέθηκε ταιριαστό άνοιγμα {
 %s: Σφάλμα ομαδοποίησης Regex: Λάθος αριθμός αντικειμένων μεταξύ {}
 %s: Σφάλμα ομαδοποίησης Regex: Ανοιχτή ομαδοποίηση ή κλάσση χαρακτήρα, αναμένεται κλείσιμο }
 %s: Συγγνώμη. Δεν έχετε δικαιώματα υπερχρήστη για να τρέξετε αυτό το πρόγραμμα.

 %s: Αδυναμία προσθήκης "%s".   %s: Αδυναμία ανάλυσης γραμμής εισόδου '%s'
 %s Αδυναμία αφαίρεσης "%s".   %s: Αδυναμία αντικατάστασης "%s".   %s: Αδυναμία εγγραφής ολόκληρου του προφίλ
 %s: Αδυναμία εγγραφής στο stdout
 %s: Προειδοποίηση! Έχετε ορίσει αυτό το πρόγραμμα setuid root.
Οποιοσδήποτε μπορεί να τρέξει αυτό το πρόγραμμα, μπορεί να ενημερώσει τα προφίλ AppArmor.

 Η προσθήκη υπερβαίνει για "%s".
 Σφάλμα αναλυτή AppArmor: %s
 Παρέμβαση: 'hat rule' επέστρεψε ΜΗΔΕΝ. Παρέμβαση: 'rule' επέστρεψε ΜΗΔΕΝ. Λάθος θέση εγγραφής
 Αδυναμία συγχώνευσης εγγραφών. Μνήμη Πλήρης
 ΣΦΑΛΜΑ επέκτασης μεταβλητών για προφίλ %s, αδυναμία φόρτωσης
 ΣΦΑΛΜΑ το προφίλ %s, αδυναμία φόρτωσης
 ΣΦΑΛΜΑ συγχώνευσης κανόνων για το προφίλ %s, αδυναμία φόρτωσης
 ΣΦΑΛΜΑ επεξεργασίας regexs για το προφίλ %s, αδυναμία φόρτωσης
 ΣΦΑΛΜΑ προφίλ %s περιέχει αντικείμενα πολιτικής που δε χρησιμοποιούνται από αυτόν τον πυρήνα:
	'*', '?', πεδία χαρακτήρων και αλλαγές δεν επιτρέπονται.
	'**' μπορεί να χρησιμοποιηθεί μόνο στο τέλος.
 Σφάλμα: Αδυναμία προσθήκης καταλόγου %s στη διαδρομή έρευνας.
 Σφάλμα: Αδυναμία προσδιορισμού μνήμης.
 Σφάλμα: Αδυναμία ανάγνωσης profile %s: %s.
 Σφάλμα: Μνήμη πλήρης.
 Σφάλμα: Το basedir %s δεν είναι κατάλογος, παραβλέπεται.
 Χαρακτήρας exc '%c' λανθασμένος, συμπλέκεται με ήδη καθορισμένο χαρακτήρα Χαρακτήρας exec 'i' λάθος, συμπλέκεται με ήδη υπάρχων χαρακτήρα Βρέθηκε μη αναμενόμενος χαρακτήρας: '%s' Εσωτερικό: μη αναμενόμενη λειτουργία χαρακτήρα '%c' στην είσοδο Σφάλμα λειτουργίας, το 'x' θα πρέπει να προηγείται του χαρακτήρα exec 'i', 'p' ή 'u' Σφάλμα προσδιορισμού μνήμης. Μνήμη πλήρης
 PANIC κακή ζώνη ποσοτήτων %p pos %p ext %p size %d res %p
 Απαγορεύεται η πρόσβαση
 Το προφίλ υπάρχει ήδη
 Το προφίλ δεν ταιράζει με την υπογραφή
 Το προφίλ δεν εναρμονίζεται με το πρωτόκολλο
 Το προφίλ δεν υπάρχει
 Η έκδοση προφίλ δεν υποστηρίζεται από την μονάδα Apparmor
 Removal succeeded for "%s".
 Η αντικατάσταση υπερβαίνει για "%s".
 Αδυναμία ανοίγματος %s - %s
 Η μη ορισμένη μεταβλητή boolean %s χρησιμοποιήθηκε στην if-έκφραση Κεφαλαίοι χαρακτήρες "RWLIMX" αποφεύγονται, παρακαλώ αλλάξτε σε μικρά
Δείτε το apparmor.d(5) για λεπτομέρειες.
 λείπει ένα τέλος στη γραμή χαρακτήρα; (εγγραφή: %s) αδυναμία δημιουργίας χώρου εργασίας
 αδυναμία σειριοποίησης προφίλ %s
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:00+0000
Last-Translator: AppArmor list <apparmor@lists.ubuntu.com>
Language-Team: English (Australia) <en_AU@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: en_AU
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:00+0000
Last-Translator: AppArmor list <apparmor@lists.ubuntu.com>
Language-Team: English (Canada) <en_CA@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: en_CA
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     
      l   
             m      
   _  <   m  (          #                   )    J  m     
   \  <   j  (          #                   &                                   	   
       %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: AppArmor list <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2016-02-18 06:22+0000
Last-Translator: Andi Chandler <Unknown>
Language-Team: English (United Kingdom) <en_GB@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: en_GB
 %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         	           	  <   )  0   f  3     6     >   
  $   A
  2   f
  >   
  7   
  /     9   @  G   z  G     =   
  R   H  :          $             2     P  )   h  2     #          w     /          0     '        '  !   B  +   d  '     /                     "   ;  !   ^  !     2               0     *   6  &   a  ,     9     $     3     ?   H  7          7   t  2     "     ;     3   >  &   r       0     F     D   (  C   m             %         
  .   .  0   ]  -     4     6     1   (     Z  J   q  E     W        Z     q  0     .          
          ;   !     ]  ?   p       )     !     $        9  (   P  F   y  :     >     <   :  M   w  1                   5     M            /      u   A   3      !      [   
!     i!  *   x!     !     !     !  "   !  4   "  :   H"  -   "  .   "     "  *   "  $   #  %   D#     j#  ,   #  &   #  '   #  (   #  (   ($  &   Q$  &   x$  <   $     $  (   $     %     6%  *   V%  $   %    %     C'  <   c'  0   '  3   '  6   (  >   <(  $   {(  2   (  >   (  7   )  /   J)  9   z)  G   )  G   )  =   D*  R   *  <   *     +  $   ,+     Q+     n+     +  )   +  2   +  #   ,     %,  y   D,  /   ,     ,  0   -  (   =-     f-  !   -  +   -  '   -  /   -     '.     E.      Y.  "   z.  "   .  "   .  2   .     /     */  0   F/  +   w/  '   /  ,   /  9   /  $   20  3   W0  ?   0  7   0     1  7   1  2   1  "   "2  ;   E2  3   2  &   2     2  0   2  G   $3  E   l3  D   3      3     4  %   -4      S4  .   t4  0   4  -   4  4   5  6   75  1   n5     5  K   5  F   6  Y   J6     6     6  0   6  .   7     57  
   N7     \7  ;   k7     7  ?   7     7  )   8  !   <8  %   ^8     8  (   8  F   8  :   9  >   F9  <   9  M   9  1   :     B:      _:     :     :     .;     F;  /   \;  v   ;  3   <  !   7<  [   Y<     <  *   <     <     =     =  "   <=  4   _=  :   =  -   =  .   =     ,>  *   @>  $   k>  %   >     >  ,   >  &   >  '   #?  (   K?  (   t?  &   ?  &   ?  =   ?     )@  (   >@     g@     @  *   @  $   @     M          W   Z           8   K   s           
          7   o   |          =       
   {      6   q       k   P       u   ;          w                                #   U         )          $   0       ?   	   "       :       >   <   1      b   E                         ]   ~      _   S      i       %   \   a                 !   N           G   D                     &   I           @   (       r   *   [       V   ,         X                   -       d      j   e   O             J   A   n      Q   '   L      .   +      z   t   ^      5      l   R   g   4          }   B   c      3   v         f      `       m   Y       T   y   9   x              C      p         h      /                       H   2   F    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Invalid profile name '%s' - bad regular expression
 %s: Regex error: trailing '\' escape character
 %s: Regex grouping error: Exceeded maximum nesting of {}
 %s: Regex grouping error: Invalid close ], no matching open [ detected
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write %s
 %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error for %s%s%s at line %d: %s
 AppArmor parser error,%s%s line %d: %s
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Cached load succeeded for "%s".
 Cached reload succeeded for "%s".
 Can't create cache directory: %s
 Can't update cache directory: %s
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Could not process include directory '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing policydb rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 ERROR replacing aliases for profile %s, failed to load
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read binary profile or cache file %s: %s.
 Error: Could not read cache file '%s', skipping...
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Feature buffer full. File in cache directory location: %s
 Found unexpected character: '%s' Internal error generated invalid %s perm 0x%x
 Internal error generated invalid DBus perm 0x%x
 Internal error generated invalid perm 0x%llx
 Internal: unexpected %s mode character '%c' in input Internal: unexpected DBus mode character '%c' in input Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile flag attach_disconnected conflicts with no_attach_disconnected Profile flag chroot_attach conflicts with chroot_no_attach Profile flag chroot_relative conflicts with namespace_relative Profile flag mediate_deleted conflicts with delegate_deleted Profile names must begin with a '/', namespace or keyword 'profile' or 'hat'. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Variable declarations do not accept trailing commas Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 bad mount rule dbus rule: invalid conditional group %s=() deny prefix not allowed fstat failed for '%s' invalid mount conditional %s%s invalid pivotroot conditional '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) mount point conditions not currently supported opendir failed '%s' owner prefix not allow on capability rules owner prefix not allow on dbus rules owner prefix not allow on mount rules owner prefix not allowed owner prefix not allowed on capability rules owner prefix not allowed on dbus rules owner prefix not allowed on mount rules owner prefix not allowed on ptrace rules owner prefix not allowed on signal rules owner prefix not allowed on unix rules profile %s network rules not enforced
 profile %s: has merged rule %s with conflicting x modifiers
 stat failed for '%s' subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unix rule: invalid conditional group %s=() unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2014-10-22 19:10+0000
Last-Translator: Andi Chandler <Unknown>
Language-Team: English (United Kingdom) <en_GB@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: en_GB
 %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Invalid profile name '%s' - bad regular expression
 %s: Regex error: trailing '\' escape character
 %s: Regex grouping error: Exceeded maximum nesting of {}
 %s: Regex grouping error: Invalid close ], no matching open [ detected
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this programme.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write %s
 %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this programme setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error for %s%s%s at line %d: %s
 AppArmor parser error, %s%s line %d: %s
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Cached load succeeded for "%s".
 Cached reload succeeded for "%s".
 Cannot create cache directory: %s
 Cannot update cache directory: %s
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Could not process include directory '%s' in '%s' Could not copy profile: Bad memory address
 Couldn't merge entries. Out of Memory.
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing policydb rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 ERROR replacing aliases for profile %s, failed to load
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read binary profile or cache file %s: %s.
 Error: Could not read cache file '%s', skipping...
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified. Exec qualifier '%c' invalid, conflicting qualifier already specified. Exec qualifier 'i' invalid, conflicting qualifier already specified. Failed to create alias %s -> %s
 Feature buffer full. File in cache directory location: %s
 Found unexpected character: '%s' Internal error generated invalid %s perm 0x%x
 Internal error generated invalid DBus perm 0x%x
 Internal error generated invalid perm 0x%llx
 Internal: unexpected %s mode character '%c' in input Internal: unexpected DBus mode character '%c' in input Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u'. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u'. Invalid mode, in deny rules, 'x' must not be preceded by exec qualifier 'i', 'p', or 'u'. Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile does not conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile flag attach_disconnected conflicts with no_attach_disconnected Profile flag chroot_attach conflicts with chroot_no_attach Profile flag chroot_relative conflicts with namespace_relative Profile flag mediate_deleted conflicts with delegate_deleted Profile names must begin with a '/', namespace or keyword 'profile' or 'hat'. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase.
See the apparmor.d(5) manpage for details.
 Variable declarations do not accept trailing commas Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 bad mount rule dbus rule: invalid conditional group %s=() deny prefix not allowed fstat failed for '%s' invalid mount conditional %s%s invalid pivotroot conditional '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) mount point conditions not currently supported opendir failed '%s' owner prefix not allow on capability rules owner prefix not allow on dbus rules owner prefix not allow on mount rules owner prefix not allowed owner prefix not allowed on capability rules owner prefix not allowed on dbus rules owner prefix not allowed on mount rules owner prefix not allowed on ptrace rules owner prefix not allowed on signal rules owner prefix not allowed on unix rules profile %s network rules not enforced
 profile %s: has merged rule %s with conflicting x modifiers.
 stat failed for '%s' subset can only be used with link rules. unable to create work area
 unable to serialise profile %s
 unix rule: invalid conditional group %s=() unsafe rule missing exec permissions                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  
      l   
             m      
   _  <   m  (          #                   )  {  J  r        9  ?   H  -     %     #                &   %                                   	   
       %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: FULL NAME <EMAIL@ADDRESS>
PO-Revision-Date: 2019-06-09 14:01+0000
Last-Translator: Adolfo Jayme <fitoschido@gmail.com>
Language-Team: Spanish <es@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-06-10 04:32+0000
X-Generator: Launchpad (build 18978)
 %s: [opciones]
  opciones:
  -q | --quiet        No emitir ningún mensaje
  -h | --help         Mostrar la ayuda
 Error: «%s»
 Quizá; permisos insuficientes para determinar disponibilidad.
 Quizá; interfaz de directiva no disponible.
 No; desactivado durante el arranque.
 No; no disponible en este sistema.
 Sí
 se desconoce la opción «%s»
 opciones desconocidas o incompatibles
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         ]                        <   	  0   F  3   w  6     >     $   !	  2   F	  >   y	  G   	  =    
  R   >
  :   
     
  $   
          (  )   F  2   p  #          w     /   ^            !     +     '   
  /   =
     m
     
  2   
     
     
  *     &   -  ,   T  9     $     3     7        L  2      "   3  &   V     }  0     F     D     C   Q              -     1        7  J   N  E     W        7     N  0   h  .               ;        ,  ?   ?       !     $          (     1        P      m               <     T  /   j  u     [        l  4     :     -           &   4  (   [            $         (     Q     A      B   B  K     W     8   )  E   b  J     s     I   g  d     [     !   r  5     "     #     *     A   <  /   ~  %          ;   y         %      )      >   !!  -   `!  >   !  %   !  "   !  9   "     P"  !   f"  ?   "  5   "  8   "  D   7#  '   |#  =   #  =   #      $  H   $  &   A%  .   h%     %  B   %  j   %  a   c&  a   &  !   ''  -   I'  9   w'  6   '     '  d   (  O   l(  v   (     3)  #   N)  <   r)  :   )      )     *  N   *     k*  K   }*     *  #   *  $   +     '+  .   <+  ?   k+     +     +     +     ,     ,     ,  E   ,     >-  t   -     K.  Y   d.  O   .  3   /     B/  *   X/  <   /  %   /  *   /  3   0            E      !           A                  R   Q           Z         J   0       S           P   4      '      U   
       6   &   \       <          .       G   L         X          /   B       T   *   @      K   3       O          ]       :       W   8   9       I       -   N             
   (                 H   )   	      #   D           >   M             7   +   $          Y   5          "                 V   2         C   F   [   ;   ?           1   ,   =   %       %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 fstat failed for '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) opendir failed '%s' profile %s network rules not enforced
 subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-26 03:48+0000
Last-Translator: Monkey <monkey.libre@gmail.com>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: es
 %s: AFIRMACIÓN: Opción no válida: %d
 %s: no es posible asignar memoria para el punto de montaje de base de subdominio
 %s: se han detectado errores durante el postrocesado. Abortando.
 %s: se han detectado errores durante el postprocesado. Abortando.
 %s: se han detectado errores durante el posprocesado de regex. Cancelando.
 %s: se han detectado errores en el posprocesado de combinación de reglas. Cancelando.
 %s: se han detectado errores en el archivo. Cancelando.
 %s: { de apertura ilegal, la anidación de grupos no está permitida
 %s: detectado desbordamiento de buffer interno, superado en %d caracteres
 %s: error de agrupación Regex: } de cierre no válido, no se ha encontrado el signo { de apertura correspondiente
 %s: error de agrupación Regex: número de elementos entre {} no válido
 %s: error de agrupación de regex. Grupo o clase de caracteres sin cerrar. Se esperaba } de cierre.
 %s: lo sentimos, pero debe tener privilegios de usuario Root para ejecutar este programa.

 %s: no es posible añadir "%s".   %s: no es posible analizar la línea de entrada '%s'
 %s: no es posible eliminar "%s".   %s: no es posible sustituir "%s".   %s: no es posible escribir todo el perfil
 %s: Imposible escribir la entrada de perfil completa a la caché
 %s: imposible escribir en el archivo de salida
 %s: no es posible escribir en stdout
 %s: advertencia. Ha configurado este programa como raíz de setuid.
Cualquier usuario que pueda ejecutar este programa podrá actualizar los perfiles de AppArmor.

 (network_mode) Se ha encontrado un carácter inesperado: %s Adición correcta de "%s".
 Error del analizador de AppArmor: %s
 Afirmación: 'hat rule' ha devuelto NULL. Afirmación: la regla local_profile ha devuelto un valor nulo. Afirmación: change_profile ha devuelto NULL. Afirmación: network_rule ha devuelto un protocolo no válido. Afirmación: `rule' ha devuelto NULL. Posición de escritura incorrecta
 Conflicto: los permisos a y w son mutuamente excluyentes. No se pudo abrir '%s' No se pudo abrir «%s» en «%s» No se puede copiar el perfil. Dirección de memoria incorrecta
 No es posible fusionar las entradas. Memoria agotada
 Error al añadir la regla de acceso hat en el perfil %s
 ERROR al expandir las variables para el perfil %s. Error al cargar.
 ERROR en el perfil %s, error al cargar
 ERROR al combinar reglas para el perfil %s. Error al cargar.
 ERROR al procesar regexs para el perfil %s. Error al cargar.
 ERROR: el perfil %s contiene elementos de directiva que no se pueden usar con este núcleo:
	No se admite '*', '?', los rangos de caracteres ni las alternancias.
	'**' sólo se puede utilizar al final de una regla.
 Error: no se ha podido añadir el directorio %s a la vía de búsqueda.
 Error: no es posible asignar memoria.
 Error: no se ha podido leer el perfil %s: %s.
 Error: memoria insuficiente.
 Error: el directorio base %s no es un directorio. Se va a omitir.
 El calificador de ejecución %c%c no es válido, ya que está en conflicto con un calificador ya definido. El calificador de ejecución %c no es válido. Ya se ha especificado un calificador en conflicto. El calificador de ejecución 'i' no es válido, ya se ha especificado un calificador en conflicto Error al crear el alias %s -> %s
 Se ha detectado un carácter inesperado: '%s' Un error interno ha generado permisos no válidos 0x%llx
 Interno: carácter de modo inesperado %c en la entrada Característica no válida %s. El modo no es válido. 'x' debe ir precedido de los calificadores de ejecución 'i', 'p', 'c' o 'u'. Modo no válido. x debe estar precedida del calificador de ejecución i, p o u. El modo no es válido. Las reglas de negación x no pueden ir precedidas de los calificadores de ejecución i, p ni u. Entrada de red no válida. Indicador de perfil no válido: %s. Error de asignación de memoria: no se puede eliminar %s:%s. Error de asignación de memoria: no se puede eliminar ^%s
 Error de asignación de memoria. Memoria agotada
 PANIC: incremento de buffer incorrecto; pos %p; ext %p; tamaño %p; res %d %p
 Permiso denegado
 Permiso denegado. ¿Intentando cargar un perfil mientras estaba confinado?
 El perfil ya existe
 El perfil no coincide con la firma
 El perfil no se ajusta al protocolo
 El perfil no existe
 El indicador de perfil debug ya no es válido. La versión del perfil no se admite en el módulo de Apparmor.
 Eliminación correcta de "%s".
 Sustitución correcta de "%s".
 No es posible abrir %s - %s
 El calificador de ejecución sin limitar (%c%c) permite que se pasen algunas variables de entorno peligrosas al proceso sin limitar; consulte man 5 apparmor.d para obtener detalles.
 Error desconocido (%d): %s
 Tipo de patrón desconocido
 Variable booleana %s sin definir utilizada en expresión condicional. Los calificadores en mayúscula RWLIMX han quedado obsoletos. Conviértalos a minúscula.
Consulte la página man apparmor.d(5) para obtener detalles.
 Advertencia: no se encuentra un sistema de archivos adecuado en %s. ¿Se ha montado?
Use --subdomainfs para anular.
 fstat falló para «%s» Conflicto entre los permisos de ejecución y de enlace en un archivo de reglas que usa -> No se permiten los permisos de enlace en una transición de perfil con nombre.
 ¿Falta final de carácter de línea? (Entrada: %s) opendir falló «%s» perfil %s no se cumplen las reglas de red
 Sólo se puede utilizar el subconjunto con reglas de enlace. no es posible crear área de trabajo
 no es posible poner en serie el perfil %s
 Regla no segura. Faltan los permisos de ejecución.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         %         p  $   q  :                    )   &     P     o  &     2     "     &        .  0   E      v                      !     $        1  1   H     z             -         %     P                  :  *   V  *          /     7     %   2	  -   X	     	  2   	     	     	     
     
     ,
     D
     c
     
  :   
     
     
       "   "              
                                                         
                                      	              %s: Errors found in file. Aborting.
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 AppArmor parser error: %s
 Couldn't merge entries. Out of Memory
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Found unexpected character: '%s' Memory allocation error. Out of memory
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 missing an end of line character? (entry: %s) Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 01:50+0000
Last-Translator: Ain Vagula <avagula@gmail.com>
Language-Team: Estonian <et@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: et
 %s: failis leiti vigu. Katkestamine.
 %s: Vabandust. Selle rakenduse käivitamiseks on vaja administraatori õigusi.

 %s: "%s" ei saa lisada.   %s: "%s" ei saa eemaldada.   %s: "%s" ei saa asendada.   %s: kogu profiili kirjet ei saa kirjutada
 %s: ei saa kirjutada standardväljundisse
 AppArmori parsimise viga: %s
 Kirjeid ei suudetud ühendada. Mälu ei jätku
 Viga: kataloogi %s pole võimalik otsinguteele lisada.
 Viga: pole võimalik eraldada mälu.
 Viga: pole võimalik lugeda profiili %s: %s.
 Viga: mälu ei jätku.
 Viga: basedir %s pole kataloog, jäetakse vahele.
 Leiti ootamatu märk: '%s' Viga mälu eraldamisel. Mälu ei jätku
 Juurdepääs keelatud
 Profiil on juba olemas
 Profiil ei vasta signatuurile
 Profiil ei vasta protokollile
 Profiili pole olemas
 Profiili versioon ei ole Apparmori mooduli poolt toetatud
 "%s" eemaldamine õnnestus.
 "%s" asendamine õnnestus.
 %s - %s ei saa avada
 puudub realõpu märk? (kirje: %s)                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                	      d   
             
      <      (   ,     U  #   m                         ]  W   l  D     ,   	  4   6     k  )   s  0              	                                   Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: FULL NAME <EMAIL@ADDRESS>
PO-Revision-Date: 2019-12-27 08:16+0000
Last-Translator: VahidNameni <Unknown>
Language-Team: Persian <fa@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-12-28 05:38+0000
X-Generator: Launchpad (build bceb5ef013b87ef7aafe0755545ceb689ca7ac60)
 خطا - '%s'
 شاید - دسترسی ناکافی جهت شناسایی در دسترس پذیری.
 شاید - رابط سیاست گذاری در دسترس نیست.
 خیر - غیرفعال در زمان boot.
 خیر- در این سیستم موجود نیست.
 بله
 تنظیم  '%s' ناشناخته است
 تنظیم نامعلوم یا ناسازگار
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             L      |          2                       !       7  V     "        B     \  2   |                                         Error: Could not add directory %s to search path.
 Error: Out of memory.
 Out of memory
 Permission denied
 Profile does not match signature
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: FULL NAME <EMAIL@ADDRESS>
PO-Revision-Date: 2019-12-27 08:23+0000
Last-Translator: VahidNameni <Unknown>
Language-Team: Persian <fa@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-12-28 05:38+0000
X-Generator: Launchpad (build bceb5ef013b87ef7aafe0755545ceb689ca7ac60)
 خطا: امکان اضافه کردن پوشه %s به مسیر جستجو نیست.
 خطا: خارج از حافظه.
 خارج از حافظه
 مجوز صادر نگردید
 نمایه با امضا  مطابقت ندارد
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            T                
            #                        >  
     7     4        M     U  .   n                                        Error - '%s'
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: FULL NAME <EMAIL@ADDRESS>
PO-Revision-Date: 2020-01-29 07:44+0000
Last-Translator: Jiri Grönroos <Unknown>
Language-Team: Finnish <fi@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2020-01-30 05:40+0000
X-Generator: Launchpad (build b8d1327fd820d6bf500589d6da587d5037c7d88e)
 Virhe - '%s'
 Ei - poistettu käytöstä käynnistyksen yhteydessä.
 Ei - ei käytettävissä tässä järjestelmässä.
 Kyllä
 tuntematon valinta '%s'
 tuntemattomat tai yhteensopimattomat valinnat
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        S        q   L             <   1  0   n  3     6     >   
  $   I  2   n  >     G     =   (	  R   f	  :   	     	  $   
     3
     P
  )   n
     
  w   
  /   /     _     }  !     +     '     /        >     \  2   p  &     ,     9     $   1
  3   V
  7   
     
  2   v  "     &          0   
  F   ;  D     C               ,  -   M  1   {       J     E     W   U            0     .        >     W  ;   f            !     $          (   +  1   T                          r  /     u     [   0  4     :     -     (   *     S     o  $         %   9  G   _  A     A     _   +  U     3     D     8   Z  n     Z     ^   ]  C     !      /   "      R  !   s  9     8          /               !   
  +   ,  '   X  9               ;     0   -  >   ^  I     /     K      [   c         8   !  (   !  '   !     "  6   3"  Z   j"  X   "  H   #      g#      #  ;   #  4   #     $  R   0$  M   $  a   $     3%  !   Q%  *   s%  )   %     %     %  B   %     -&     B&  (   [&  (   &     &  2   &  1   &     -'     D'     Z'     r'     %(  ;   @(     |(  }   3)  H   )  9   )  .   4*  9   c*  "   *  ,   *  -   *         4       )   S      @      ?   '      "   B   I          L         J   $   /                          &   G   Q      1       E           
                          #   %               ;            0   3   
                  8       	   9   (           +   M       K   -   ,   .   C   N   :      >               F   A       =           *   !   H                  D   7      5   R   2      6          P   O          <    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2014-05-01 19:38+0000
Last-Translator: Jiri Grönroos <Unknown>
Language-Team: Suomi <fi@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: fi
 %s: ASSERT: Virheellinen valinta: %d
 %s: Muistin varaaminen alitoimialuepohjan liitoskohdalle ei onnistunut
 %s: Löydettiin virheitä jälkikäsittelyssä.  Keskeytetään.
 %s: Löydettiin virheitä jälkikäsittelyssä.  Keskeytetään.
 %s: Löydettiin virheitä säännöllisten lausekkeiden jälkikäsittelyssä.  Keskeytetään.
 %s: Löydettiin virheitä yhdistyssääntöjen jälkikäsittelyssä. Keskeytetään.
 %s: Tiedostosta löytyi virheitä. Keskeytetään.
 %s: Virheellinen aloittava {, sisäkkäiset ryhmitykset ei sallittu
 %s: Sisäisen puskurin ylivuoto, ylitettiin %d merkkiä
 %s: Säännöllisen lausekkeen ryhmitysvirhe: Virheellinen lopettava }, vastaavaa aloittavaa { ei tunnistettu
 %s: Säännöllisen lausekkeen ryhmitysvirhe: Virheellinen määrä alkioita {} välissä
 %s: Regex-ryhmitysvirhe: Sulkematon ryhmitys tai merkkiluokka, odotetaan sulje } -merkintää
 %s: Ohjelman suorittamiseen tarvitaan pääkäyttäjän oikeudet.

 %s: "%s" lisäys ei onnistunut.   %s: Syöterivin '%s' koostaminen ei onnistunut
 %s: "%s" poisto ei onnistunut.   %s: "%s" korvaus ei onnistunut.   %s: Koko profiilimerkinnän kirjoittaminen ei onnistunut
 %s: Kirjoittaminen stdout-tulostusvirtaan ei onnistunut
 %s: Varoitus! Olet asettanut ohjelman setuid-tiedon pääkäyttäjäksi.
Kaikki, jotka voivat suorittaa tämän ohjelman, voivat muuttaa AppArmor-profiileja.

 (network_mode) Löytyi odottamaton merkki: '%s' %s lisäys onnistui.
 AppArmor parser -virhe: %s
 Assert: 'hat rule' palautti NULL. Assert: 'local_profile rule' palautti NULL. Assert: `change_profile' palautti NULL. Assert: `network_rule' palautti virheellisen protokollan. Assert: `rule' palautti NULL. Väärä kirjoituskohta
 Ristiriita 'a' ja 'w' oikeudet ovat toisensa pois sulkevia. Merkintöjä ei voitu yhdistää. Muisti loppui
 VIRHE lisättäessä hattua profiilin %s käyttösääntöön
 VIRHE laajennettaessa muuttujia profiilille %s, lataaminen ei onnistunut
 VIRHE profiilissa %s, lataaminen ei onnistunut
 VIRHE yhdistettäessä profiilin %s sääntöjä, lataaminen ei onnistunut
 VIRHE käsiteltäessä profiilin %s säännöllisiä lausekkeita, lataaminen ei onnistunut
 VIRHE profiili %s sisältää menettelytapaelementtejä, jotka eivät toimi tämän ytimen kanssa:
	'*', '?', merkkialueet ja muunnokset eivät ole sallittuja.
	'**' voidaan käyttää vain säännön lopussa.
 Virhe: Hakemistoa %s ei voitu lisätä etsintäpolkuun.
 Virhe: Muistin varaaminen epäonnistui.
 Virhe: Ei voitu lukea profiilia %s: %s
 Virhe: Muisti loppui.
 Virhe: kantahakemisto %s ei ole hakemisto, ohitetaan.
 Exec-valitsin '%c%c' virheellinen, ristiriidan aiheuttava valitsin määritetty jo aiemmin Exec-valitsin '%c' virheellinen, ristiriidan aiheuttava valitsin määritetty jo aiemmin Exec-valitsin 'i' virheellinen, ristiriitainen valitsin mainittu aiemmin Ei voitu luoda aliasta %s -> %s
 Löytyi odottamaton merkki: '%s' Sisäinen virhe, aiheuttaja virheellinen määritys 0x%llx
 Sisäinen: odottamaton tila merkki '%c' syötteessä Virheellinen kyky %s. Virheellinen tila, valitsinta 'x' pitää edeltää valitsin 'i', 'p', 'c' tai 'u' Virheellinen tila, valitsinta 'x' pitää edeltää valitsin 'i', 'p' tai 'u' Virheellinen tila, kieltosäännöissä valitsinta 'x' ei saa edeltää valitsin 'i', 'p' tai 'u' Virheellinen verkkomerkintä. Virheellinen profiilin lippu: %s. Muistivarausvirhe. Ei voitu poistaa %s:%s. Muistinvarausvirhe: Ei voitu poistaa ^%s
 Muistivarausvirhe. Muisti loppui
 PANIIKKI viallinen lisäyspuskuri %p pos %p ext %p koko %d res %p
 Ei käyttöoikeutta
 Profiili on jo olemassa
 Profiili ei täsmää allekirjoitukseen
 Profiili ei noudata yhteyskäytäntöä
 Profiilia ei ole olemassa
 Profiilin lippu 'debug' ei ole enää kelvollinen. Profiilin versio ei ole AppArmor-moduulin tukema
 "%s" poisto onnistui.
 %s korvaus onnistui.
 Ei voitu avata %s - %s
 Vapaa exec-valitsin (%c%c) sallii joidenkin vaarallisten ympäristömuuttujien lähettämisen varmistamattomille prosesseille; man 5 apparmor.d jos haluat lisätietoja aiheesta.
 Tuntematon virhe (%d): %s
 Asettamaton boolean muuttuja %s käytössä if-lausekkeessa Isoilla kirjoitetut määritteet "RWLIMX" eivät ole suositeltavia. Ole hyvä ja korjaa ne pienellä kirjoitetuiksi.
Lue apparmor.d(5) manuaalisivu jos haluat aiheesta lisätietoja.
 Varoitus: ei löydetä sopivaa tiedostojärjestelmää kohteesta %s, onko osio liitetty?
Käytä --subdomainfs ohittaaksesi.
 linkki ja suoritusoikeudet ristiriidassa tiedostossa, joka käyttää -> linkkioikeuksia ei sallita nimetyssä profiilinsiirrossa
 puuttuuko rivin lopetinmerkki? (merkintä: %s) aliryhmää voidaan käyttää vain linkkisäännöissä. työalueen luominen ei onnistunut
 profiilin %s sarjallistaminen ei onnistunut
 turvaton sääntö suoritusoikeudet puuttuvat                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          f      L     |             <     0     3   /	  6   c	  >   	  $   	  2   	  >   1
  7   p
  G   
  =   
  R   .  :          $               )   6  2   `  #          w     /   N
     ~
  0   
  '   
     
  !     +   2  '   ^  /               2             /  *   K  &   v  ,     9     $     3   )  7   ]       2   I  "   |  &          0     F     D   U  C                 -      1   N       J     E     W   (            0     .          
   *     8  ;   G            )     !     $          (   6  F   _  :     >     <      M   ]  1                        3            /     u   '  3     !     [        O  4   e  :     -     (        ,     H  $   h      (   %  X   N  :     :     C     [   a  5     E     O   9  N     Z     M   3   l      U      (   D!  ;   m!  +   !  +   !  9   "  G   ;"  5   "  <   "     "  3   #     #  @   #  4   6$  %   k$  ,   $  6   $  2   $  @   (%  '   i%     %  L   %     %  .   &  >   K&  8   &  V   &  T   '  /   o'  I   '  G   '     1(  I   .)  .   x)  1   )     )  8   )  `   0*  M   *  ]   *  &   =+  *   d+  ?   +  ?   +     ,  |   &,  q   ,     -     -  #   -  >   -  <   (.     e.     .     .  G   .     .     /  4   /  ,   R/  !   /     /  5   /  S   /  G   >0  K   0  I   0  ~   1  =   1  &   1  &    2     '2     D2     3     13  @   H3     3  C   74  (   {4     4     05  f   P5  [   5  6   6  G   J6  )   6  '   6  9   6     T   L   Q   =      *   6       	   %   ?      -   S   &   W       1   D          O   \              
       E   <      #   '         X   $       Y       `   d          H   U             c   7          +   
      I      N   3   4   8   M       ^   G   b                      ]             )       a           /   ,          R             @       0   5   B   (      K   C   "                        A      :   _   !   J       ;   9           [      P   Z       V                      >   f   e   2       F          .    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Invalid profile name '%s' - bad regular expression
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error for %s%s%s at line %d: %s
 AppArmor parser error,%s%s line %d: %s
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile flag attach_disconnected conflicts with no_attach_disconnected Profile flag chroot_attach conflicts with chroot_no_attach Profile flag chroot_relative conflicts with namespace_relative Profile flag mediate_deleted conflicts with delegate_deleted Profile names must begin with a '/', namespace or keyword 'profile' or 'hat'. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Variable declarations do not accept trailing commas Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 fstat failed for '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2016-04-28 10:19+0000
Last-Translator: Sylvie Gallet <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: fr
 %s : ASSERT : option incorrecte : %d
 %s : impossible d'allouer de la mémoire pour point de montage de base de sous-domaine
 %s : erreurs trouvées lors du post-traitement. Abandon.
 %s : erreurs trouvées lors du post-traitement. Abandon.
 %s : erreurs trouvées lors du post-traitement Regex. Annulation.
 %s : erreurs trouvées lors de la combinaison des règles de post-traitement. Annulation.
 %s : erreurs trouvées dans un fichier. Annulation.
 %s : { ouvrante incorrecte, regroupements imbriqués non autorisés
 %s : dépassement de tampon interne détecté, %d caractères en dépassement
 %s : Nom de profil non valide « %s » - expression régulière incorrecte
 %s : erreur de regroupement Regex : } fermante incorrecte, aucune { ouvrante détectée
 %s : erreur de regroupement Regex : nombre incorrect d'éléments entre {}
 %s : erreur de regroupement Regex : regroupement ou classe de caractères non fermé, fermante attendue }
 %s : désolé. Les privilèges root sont nécessaires pour exécuter ce programme.

 %s : impossible d'ajouter « %s ».   %s : impossible d'analyser la ligne en entrée « %s »
 %s : impossible de supprimer « %s ».   %s : impossible de remplacer « %s ».   %s : impossible d'écrire l'entrée de profil complète
 %s : impossible d'écrire l'entrée de profil complète dans le cache
 %s : impossible d'écrire vers le fichier de sortie
 %s : impossible d'écrire vers la sortie standard (stdout)
 %s : avertissement ! Vous avez défini le setuid de ce programme comme root.
Toute personne capable d'exécuter ce programme peut mettre à jour vos profils AppArmor.

 (network_mode) Caractère inattendu trouvé : '%s' Ajout réussi pour « %s ».
 Erreur de l'analyseur AppArmor pour %s%s%s à la ligne %d : %s
 Erreur de l'analyseur AppArmor, %s%s ligne %d : %s
 Erreur de l'analyseur AppArmor : %s
 Assert : « hat rule » a retourné NULL. Assert : « local_profile rule » a retourné NULL. Assert : « change_profile » a retourné NULL. Assert : « network_rule » retourne un protocole non valide. Assert : « rule » a retourné NULL Mauvaise position d'écriture
 Les autorisations « a » et « w » en conflit s'excluent mutuellement. Impossible d'ouvrir « %s » Impossible d'ouvrir « %s » dans « %s » Impossible de copier le profil : adresse mémoire incorrecte
 Impossible de fusionner les entrées. Mémoire saturée
 Une ERREUR s'est produite lors de l'ajout de la règle d'accès hat pour le profil %s
 ERREUR lors de l'extension de variables pour le profil %s, le chargement a échoué
 ERREUR dans le profil %s, échec du chargement
 ERREUR de fusion des règles pour le profil %s, le chargement a échoué
 ERREUR lors du traitement Regex du profil %s, le chargement a échoué
 ERREUR le profil %s contient des éléments de stratégie non utilisables avec ce noyau :
	« * », « ? », les plages de caractères et les permutations ne sont pas autorisées.
	« ** » peut uniquement être utilisé à la fin d'une règle.
 Erreur : impossible d'ajouter le répertoire %s au chemin de recherche.
 Erreur : impossible d'allouer de la mémoire
 Erreur : impossible de lire le profil %s : %s.
 Erreur : mémoire saturée.
 Erreur : basedir %s n'est pas un répertoire, ignoré.
 Qualificatif d'exécution « %c%c » incorrect, en conflit avec un qualificatif déjà défini Qualificatif d'exécution « %c » non valide, qualificatif déjà indiqué Qualificatif d'exécution « i » incorrect, en conflit avec un qualificatif déjà défini Impossible de créer l'alias %s -> %s
 Caractère inattendu trouvé : « %s » Erreur interne générée par une autorisation invalide 0x%llx
 Interne« : caractère de mode « %c » inattendu en entrée Capacité %s invalide. Mode incorrect : « x » doit être précédé du qualificatif d'exécution « i », « p », « c » ou « u ». Mode incorrect : « x » doit être précédé du qualificatif d'exécution « i », « p » ou « u ». Mode incorrect : dans les règles de refus, « x » ne doit pas être précédé du qualificatif d'exécution « i », « p » ou « u ». Entrée réseau non valide. Drapeau de profil non valide : %s. Erreur d'allocation mémoire : impossible de supprimer %s:%s. Erreur d'allocation mémoire : impossible de supprimer ^%s
 Erreur d'allocation mémoire. Mémoire saturée Mémoire saturée
 ALARME tampon d'incrément incorrect %p pos %p ext %p taille %d res %p
 Permission refusée
 Profil déjà existant
 L'ajout à un profil doit commencer par un « / » Le profil ne correspond pas à la signature
 Profil non conforme au protocole
 Profil inexistant
 Le drapeau de profil « debug » n'est plus valide. Le drapeau de profil attach_disconnected est en conflit avec no_attach_disconnected Le drapeau de profil chroot_attach est en conflit avec chroot_no_attach Le drapeau de profil chroot_relative est en conflit avec namespace_relative Le drapeau de profil mediate_deleted est en conflit avec delegate_deleted Les noms de profils doivent commencer par un « / », un espace de noms ou un des mots-clés « profile » ou « hat ». Version de profil non prise en charge par le module Apparmor
 Suppression réussie pour « %s ».
 Remplacement réussi pour « %s ».
 Impossible d'ouvrir %s - %s
 Le qualificatif d'exécution non confiné (%c%c) permet à certaines variables d'environnement dangereuses d'être transmises vers le processus non confiné ; « man 5 apparmor.d » pour plus de détails.
 Erreur inconnue (%d) : %s
 Type de motif inconnu
 Annuler la variable booléenne %s utilisée dans l'expression if Les qualificatifs en majuscules « RWLIMX » sont déconseillés. Remplacez-les par des minuscules
Reportez-vous à la page de manuel apparmor.d(5) pour plus de détails.
 Les déclarations de variables n'acceptent pas les virgules finales Avertissement de %s (%s%sligne %d) : %s Avertissement : impossible de trouver un système de fichiers approprié dans %s, est-il monté ?
Utilisez --subdomainfs pour remplacer.
 Échec de fstat pour « %s » les autorisations de liaison et d'exécution sont en conflit avec une règle de fichier qui utilise -> les autorisations de liaison ne sont pas autorisées sur une transition de profil nommée.
 caractère de fin de ligne manquant ? (entrée : %s) le sous-ensemble ne peut être utilisé qu'avec des règles de liaison. impossible de créer une zone de travail
 impossible de sérialiser le profil %s
 autorisations d'exécution manquant de règle, non sûres                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 02:24+0000
Last-Translator: Christian Boltz <Unknown>
Language-Team: Galician <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: gl
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                %      D  5   l      @     A  <   a  >     $     2     >   5  G   t  =          $        9     V  )   t            !               &   /  $   V  C   {                  ;        D     W  !   o  $                          -   #     Q     m      L   %
     r
       ]        
          
     
  8   F  ]     <     5     n   P  /     M     `   =  V     3     ^   )  a          ;     6     #     z   A  )     B     M   )  e   w  E     Q   #  J   u  2     q     V   e  S                                            "                 $   #      
           
                                     %   !                                     	                        %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 Addition succeeded for "%s".
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Couldn't merge entries. Out of Memory
 ERROR in profile %s, failed to load
 Exec qualifier 'i' invalid, conflicting qualifier already specified Found unexpected character: '%s' Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 02:03+0000
Last-Translator: Priyavert <Unknown>
Language-Team: AgreeYa Solutions<linux_team@agreeya.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: gu
 %s: આગ્રહ રાખો: અયોગ્ય વિકલ્પ: %d
 %s: સબડોમેઈનબેઝ માઉન્ટ પોઈન્ટ માટે મેમરી ફાળવી શકાઈ નહીં
 %s: પોસ્ટપ્રોસેસીંગ નિયમો ભેગાં કરતાં ભૂલો મળી છે. અટકાવાયું છે.
 %s: ફાઈલમાં ભૂલો મળી છે. અટકાવાયું છે.
 %s: ગેરકાયદેસર ઓપન {, નેસ્ટિંગ ગ્રુપીંગ ને મંજૂરી નથી
 %s: આંતરિક બફર ઉભરાઈ ગયેલું મળે છે, %d વર્ણો ઓળંગાઈ ગયા છે
 %s: Regex ગ્રુપીંગ ભૂલ: અયોગ્ય બંધ }, તેને અનુરૂપ કોઈ ઓપન { ન્થી મળતું
 %s: Regex ગ્રુપીંગ ભૂલ: {} ની વચ્ચે અયોગ્ય સંખ્યાની બાબતો
 %s: ઉમેરી શકાતું નથી "%s".   %s: ઈન્પુટ લાઈન '%s' પાર્સ કરી શકાતી નથી
 %s: દૂર કરી શકાતું નથી "%s".   %s: બદલી શકાતું નથી "%s".   %s: સંપૂર્ણ પ્રોફાઈલ એન્ટ્રી લખી શકાતી નથી.
 %s: stdout પર શકાતું નથી
 ઉમેરવાનું સફળ થયું છે "%s" માટે.
 આગ્રહ રાખો: `હેટ રૂલ' પાછો લાવ્યો નલ NULL. આગ્રહ રાખો: `રૂલ' પાછો લાવ્યો નલ NULL. અયોગ્ય લેખન સ્થિતિ
 એન્ટ્રીઓ ભળી શકાઈ નથી. અપૂરતી મેમરી
 પ્રોફાઈલ %s માં ભૂલ, લઈ આવવાનું નિષ્ફળ
 Exec ક્વોલીફાયર 'i' અયોગ્ય છે, વિરોધ કરતો ક્વોલીફાયર જણાવી દેવામાં આવ્યો જ છે અણધાર્યો વર્ણ મળ્યો: '%s' મેમરી ફાળવવામાં ભૂલ. અપૂરતી મેમરી
 ભયભીત અયોગ્ય ઈન્ક્રીમેન્ટ બફર %p pos %p ext %p સાઈઝ %d res %p
 પરવાનગી નાકબૂલ
 પ્રોફાઈલ અસ્તિત્વમાં છે
 પ્રોફાઈલ સહી સાથે અનુરૂપ નથી
 પ્રોફાઈલ પ્રોટોકોલ સાથે બંધબેસતો નથી
 પ્રોફાઈલ અસ્તિત્વમાં નથી
 દૂર કરવાનું સફળ થયું છે "%s" માટે.
 બદલવાનું સફળ થયું છે "%s" માટે.
 ખુલી શક્તું નથી %s - %s
 લાઈન પૂરી થયા પછીનો વર્ણ ખૂટે છે? (એન્ટ્રી: %s) કાર્યનો વિસ્તાર બનાવી શકાતો નથી
 પ્રોફાઈલ પ્રકાશિત થઈ શકતો નથી %s
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:22+0000
Last-Translator: xxx <yyy@example.org>
Language-Team: Hebrew <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: he
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      *      l  ;                <     >     $   E  2   j  >     G     =   $     b  $   |            )             %  !   C     e       &     $     2     "     &   9     `  0   w  C              
     &  ;   5     q       !     $                   	     8	  -   P	     ~	     	    	  7   @     x               
               o  A     d   8  >     `        =  <     @     5   <  1   r  -          y   k  }     R   c  V     B   
  y   P       B     A     1   )  k   [  D     D     `   Q  i     =     =   Z  O     9     p   "  ]     f                       	   !         '                         
                              "          
                             (      &   *   )           %                           #      $                %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 Addition succeeded for "%s".
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Couldn't merge entries. Out of Memory
 ERROR in profile %s, failed to load
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier 'i' invalid, conflicting qualifier already specified Found unexpected character: '%s' Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 02:49+0000
Last-Translator: Sangeeta Kumari <Unknown>
Language-Team: Hindi <en@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: hi
 %s: ASSERT: अमान्य विकल्प : %d
 %s: सबडोमेनबेस माउंट बिंदु के लिए स्मृति निर्धारित नहीं कर सका
 %s: संयोगकारी नियमों के प्रसंस्करण-पश्चात में त्रुटियां प्राप्त हुईं। रद्द कर रहा है।
 %s: फाइल में त्रुटियां प्राप्त हुईं। रद्द कर रहा है।
 %s: गैर-कानूनन खोलना {, नेस्टिंग ग्रुपिंग्स की अनुमति नहीं है
 %s: आंतरिक बफर के ओवरफ्लो होने का पता लगा, %d वर्ण अधिक हैं
 %s: Regex ग्रुपिंग त्रुटि : बंद अमान्य }, किसी मेल खाने वाले खोलने का { पता नहीं लगा
 %s: Regex ग्रुपिंग त्रुटि : {} के बीच मदों की अमान्य संख्या
 %s: "%s" को जोड़ने में अक्षम।   %s: इनपुट लाइन '%s' को पार्स करने में अक्षम
 %s: "%s" को हटाने में अक्षम।   %s: "%s" को प्रतिस्थापित करने में अक्षम।   %s: संपूर्ण प्रोफाइल प्रविष्टि को लिखने में अक्षम
 %s: stdout पर लिखने में अक्षम
 "%s" के लिए जोड़ना सफल रहा।
 Assert: 'hat rule' NULL पर लौट आया। Assert: `rule' NULL पर लौट आया। बुरी लेखन स्थिति
 प्रविष्टियों को एक में नहीं मिला सकता। स्मृति में नहीं है
 प्रोफाइल %s में त्रुटि है, लोड करने में असफल रहा
 %s त्रुटि:खोज पथ के निर्देशिका में नहीं जोड़ सका .
 त्रुटि: याददाश्त नहीं बांट सका.
 त्रुटि: प्रोफाइल नहीं पढ़ सका %s: %s.
 त्रुटि: याददाश्त के बाहर.
 त्रुटि: basedir %s एक निर्देशिका नहीं है, छोड़ रहा है.
 Exec क्वालीफायर 'i' अमान्य है, टकरावकारी क्वालीफायर को पहले ही निर्दिष्ट कर दिया गया है अप्रत्याशित वर्ण मिला : '%s' स्मृति निर्धारण त्रुटि। स्मृति में नहीं है
 पैनिक बैड इंक्रीमेंट बफर %p pos %p ext %p आकार %d res %p
 अनुमति देने से इंकार किया
 प्रोफाइल पहले से मौजूद है
 प्रोफाइल हस्ताक्षर से मेल नहीं खाता
 प्रोफाइल प्रोटोकॉल की पुष्टि नहीं करता
 प्रोफाइल मौजूद नहीं है
 "%s" के लिए हटाना सफल रहा।
 "%s" के लिए प्रतिस्थापन सफल रहा।
 %s - %s को खोलने में अक्षम
 लाइन के अंत का एक वर्ण छूटा है? (प्रविष्टि : %s) कार्य क्षेत्र सृजित करने में अक्षम
 प्रोफाइल %s को क्रमांकित करने में अक्षम
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             K      t  e         `     a  <     6     >     $   4  2   Y  >     G     =     R   Q  :          $        	     ;	  )   Y	     	  w   	  /   
     J
     h
  !   
  '   
  /   
     
       2   /  &   b  9     $     3     7        T  2   
  "   ;
  &   ^
     
  0   
  F   
  D     C   Y              -     1   
     ?  J   V  E     W        ?     V  0   p  .               ;        4     G  !   _  $          (     1              5     V     n  /     u   4  [     -        4     P  $   p      #     @   C  O     Q     /   &  E   V  G     k     U   P  s     L        g  )               (             1  0               $   )  *   N  7   y        "     2     +   (  A   T  '     <     D        @  =     '   =  )   e       =     W     U   D  T     !     !      :   3   2   n         Y      T   !  s   j!     !  !   !  >   "  <   X"  "   "     "  I   "     #     +#     @#     \#     z#  <   #  2   #     #     $     :$     T$  =   %     D%  {   %  '   T&      |&  !   &  /   &            '   &       F   
   5      *      4       G   6               	   +                   !      ,   7   A   B      0   9   %                
   ;      1         C       "   =                       K       .       -   I   #   )           2   E      @   J                 8       /           (             H       D           $                 >   <      3       :   ?    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 02:58+0000
Last-Translator: Krešimir Jozić <Unknown>
Language-Team: Croatian <en@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: hr
 %s: UMETANJE: Neispravan izbor: %d
 %s: Ne mogu rezervirati memoriju za točku montiranja poddomene
 %s: Nađene su greške prilikom postprocesiranja regularnih izraza.  Prekidam.
 %s: Nađene su greške prilikom postprocesiranja kombiniranja pravila. Prekidam.
 %s Pronađene su greške u datoteci. Prekidam.
 %s: Neispravno otvaranje {, ugniježđena grupiranja nisu dozvoljena
 %s: Detektiran je prelijev unutrašnjeg spremnika, %d znakova previše
 %s Greška prilikom grupiranja regularnih izraza: Neispravno zatvaranje }, nema odgovarajućeg otvaranja {
 %s: Greška prilikom grupiranja regularnih izraza: Neispravan broj stavki između {}
 %s Greška prilikom grupiranja regularnih izraza: Nezatvoreno grupiranje ili klasa znakova, očekujem zatvaranje }
 %s: Ispričavamo se. Trebate root privilegije za pokretanje ovog programa.

 %s: Ne mogu dodati "%s".   %s: Ne mogu parsirati ulaznu liniju '%s'
 %s : Ne mogu ukloniti  "%s".   %s: Ne mogu zamijeniti "%s".   %s: Ne mogu zapisati cjeli unos profila
 %s: Ne mogu pisati na stdout
 %s: Upozorenje! Postavili ste setuid root ovog programa.
Svatko tko može pokrenuti ovaj program može manipulirati AppArmor profilima.

 (network_mode) Pronađen neočekivani znak: '%s' Dodavanje je uspjelo za "%s".
 AppArmor greška parsera: %s
 Potvrda: `hat rule' je vratilo NULL. Potvrda: `change_profile' je vratilo NULL. Potvrda: `network_rule' je vratilo neispravan protokol. Potvrda: `rule' je vratilo NULL. Neipravan položaj za zapisivanje
 Sukob 'a' i 'w' dozvole su međusobno isključive. Ne mogu spojiti unose. Nedovoljno memorije
 GREŠKA kod učitavanja varijabli za profil %s, ne mogu učitati
 GREŠKA u profilu %s, ne mogu učitati
 GREŠKA kod spajanja pravila za profil %s, ne mogu učitati
 GREŠKA kod obrade regularnih izraza za profil %s, ne mogu učitati
 GREŠKA profil %s sadrži elemente pravila koji se ne mogu korisiti s ovim kernelom:
	'*', '?', raspon znakova i alternative nisu dozvoljene.
	'**' se može koristiti samo na kraju pravila.
 Greška: Ne mogu dodati direktorij %s u putanju za pretragu.
 Greška: Ne mogu rezervirati memoriju.
 Greška: Ne mogu učitati profil %s: %s.
 Greška: Nedovoljno memorije.
 Greška: temeljni direktorij %s nije direktorij, preskačem.
 Kvalifikator izvršavanja '%c%c' nije ispravan, sukobljeni kvalifikator je već naveden Kvalifikator izvršavanja '%c' nije ispravan, sukobljeni kvalifikator je već naveden Kvalifikator izvršavanja 'i' nije ispravan, sukobljeni kvalifikator je već naveden Ne mogu napraviti alias %s -> %s
 Pronađen neočekivani znak: '%s' Unutrašnja greška je stvorila neispravne dozvole 0x%llx
 Unutrašnje: neočekivani oblik znaka '%c' u ulazu Neispravna mogućnost %s. Neispravan oblik, ispred 'x' moraju biti kvalifikatori izvršavanja 'i', 'p', 'c' ili 'u' Neispravan oblik, ispred 'x' moraju biti kvalifikatori izvršavanja 'i', 'p' ili 'u' Neispravan način, u pravilima odbijanja 'x' ne smije imati kvalifikatore izvršavanja 'i', 'p', ili 'u' u prefiksu Neispravan mrežni unos. Neispravna zastavica profila: %s. Greška prilikom rezervacije memorije: ne mogu ukloniti %s:%s. Greška prilikom rezervacije memorije: ne mogu ukloniti ^%s
 Greška kod rezerviranja memorije. Nema dovoljno memorije
 PANIKA neispravan inkrementalni spremnik %p pol %p ekst %p vel %d raz %p
 Pristup odbijen
 Profil već postoji
 Profil ne odgovara potpisu
 Profil ne odgovara protokolu
 Profil ne postoji
 Zastavica profila 'uklanjanje grešaka' više nije ispravna. Verzija profila nije podržana od Apparmor modula
 Uklanjanje je uspjelo za "%s".
 Zamjena je uspjela za "%s".
 Ne mogu otvoriti %s - %s
 Neograničeni kvalifikator izvršavanja (%c%c) dozvoljava da neke opasne varijable okoline budu proslijeđene neprovjerenim procesima, pogledajte 'man 5 apparmor.d' za detalje.
 Nepostavljena varijabla istinitosti %s korištena u if-uvjetu Kvalifikatori s velikim slovima "RWLIMX" su zastarjeli, molimo vas da ih pretvorite u mala slova
Pogledajte apparmor.d(5) man stranice za detalje.
 Upozorenje: ne mogu pronaći prikladan datotečni sustav u %s, da li je montiran?
Koristite --subdomainfs za premoštenje.
 nedostaje oznaka kraja niza? (unos: %s) Ne mogu napraviti radni prostor
 Ne mogu serijalizirati profil %s
 Nesigurnom pravilu nedostaju prava izvršavanja                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      S        q   L             <   1  0   n  3     6     >   
  $   I  2   n  >     G     =   (	  R   f	  :   	     	  $   
     3
     P
  )   n
     
  w   
  /   /     _     }  !     +     '     /        >     \  2   p       &     ,     9   
  $   E
  3   j
  7   
     
  2     "     &          0     F   O  D     C               @  -   a  1          J     E   #  W   i            0     .   #     R     k  ;   z            !     $        (  (   ?  1   h                       /     u     [   ,  4     :     -     (   &     O     k  $         )   A  I   k  :     :     P   +  P   |  '     L     7   B  c   z  O     J   .  H   y       4     !        5  6   U  -          '   L     t        1     ;     7   !  ?   Y  -          0          >   ,  K   k  L     3      U   8   \            M   !  *   
"  -   8"     f"  S   "  `   "  ^   7#  [   #  *   #     $  ?   6$  2   v$     $  h   $  c   2%  c   %  $   %     &  ?   ?&  =   &     &     &  G   &     4'     J'  &   b'  &   '     '  +   '  0   '      $(     E(     _(     z(  F   k)     )     K*  F   *  L   +  =   _+  6   +  ,   +  ,   ,  A   .,         5       *   S      A      @   (      #   C              L         J   %   0                          '   H   Q      2       F           
       !                  $   &               <            1   4   
                  9       	   :   )           ,   M       K   .   -   /   D   N   ;      ?               G   B       >           +   "   I                  E   8      6   R   3      7          P   O          =    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2015-04-03 18:34+0000
Last-Translator: Úr Balázs <balazs@urbalazs.hu>
Language-Team: Hungarian <hu@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: hu
 %s: ASSERT: Érvénytelen paraméter: %d
 %s: Nem sikerült memóriát foglalni az aldomainbase csatolási pontnak
 %s: Hibák az utófeldolgozás közben. A program leáll.
 %s: Hibák az utófeldolgozás közben. A program leáll.
 %s: Hibák a reguláris kifejezés utófeldolgozása közben. A program leáll.
 %s: Hiba a szabályok egyesítésének utófeldolgozásában. A program leáll.
 %s: Hiba a fájlban. A program leáll.
 %s: Érvénytelen nyitott {, a csoportosítások nem ágyazhatók egymásba
 %s: Belső puffer-túlcsordulás, %d karakterrel több
 %s: Regex csoportosítási hiba: Érvénytelen záró }, nem található hozzá tartozó nyitott {
 %s: Regex csoportosítási hiba: Érvénytelen számú elem a { és } között
 %s: Regex csoportosítási hiba: Be nem zárt csoport, záró } hiányzik
 %s: Sajnálom. A program futtatásához root jogosultság szükséges.

 %s: "%s" nem vehető fel.   %s: A '%s' bemeneti sor értelmezése nem sikerült
 %s: "%s" nem távolítható el.   %s: "%s" nem cserélhető le.   %s: Nem sikerült a teljes profilbejegyzés kiírása
 %s: Nem sikerült írni a standard kimenetre
 %s: Figyelem! A program setuid root módban futásra van állítva.
Bárki, aki futtatja a programot, frissíteni tudja az AppArmor profilokat.

 (network_mode) Váratlan karakter: '%s' "%s" hozzáadása sikerült.
 AppArmor feldolgozási hiba: %s
 Assert: A 'hat rule' NULL értéket adott vissza. Assert: A `local_profile rule' NULL értéket adott vissza. Assert: A `change_profile' NULL értéket adott vissza. Assert: A `network_rule' érvénytelen protokollt adott vissza. Assert: A `rule' NULL értéket adott vissza. Rossz írási pozíció
 Ütközés: 'a' és 'w' kölcsönösen kizáró. „%s” nem nyitható meg A bejegyzések nem fésülhetők össze. Nincs elég memória
 HIBA a hat hozzáférési szabály a(z) %s profilhoz való hozzáadásakor
 HIBA a(z) %s profil változóinak kibontásakor, a betöltés nem sikerült
 HIBA a(z) %s profilban, a betöltés nem sikerült
 HIBA a(z) %s profil szabályainak összefésülésénél, a betöltés nem sikerült
 HIBA a(z) %s profil reguláris kifejezéseinek feldolgozásakor, a betöltés nem sikerült
 HIBA: a(z) %s profil ezzel a kernellel nem használható irányelvelemeket tartalmaz:
	'*', '?', karaktertartományok és alternatívák használata nem megengedett.
	'**' csak a szabály végén használható.
 Hiba: nem sikerült a(z) %s könyvtár hozzáadása a keresési útvonalhoz.
 Hiba: nem sikerült lefoglalni memóriát
 Hiba: A profil beolvasása sikertelen %s: %s
 Hiba: nincs elég memória
 Hiba: a(z) %s alapkönyvtár nem érvényes könyvtár, ezért kihagyásra kerül.
 A(z) '%c%c' végrehajtás-módosító érvénytelen, már meg van adva egy ütköző minősítő A(z) '%c' végrehajtás-módosító érvénytelen, már meg van adva egy ütköző minősítő Az 'i' végrehajtás-módosító érvénytelen, már meg van adva egy ütköző minősítő %s -> %s álnév létrehozása sikertelen
 Váratlan karakter: '%s' A belső hiba érvénytelen perm 0x%llx létrehozását okozta
 Belső: váratlan módkarakter ('%c') a bemenetben Érvénytelen tulajdonság: %s. Érvénytelen mód, az 'x' előtt az 'i', 'p', 'c' vagy 'u' végrehajtás-módosító kell, hogy álljon Érvénytelen mód, az 'x' előtt az 'i', 'p' vagy 'u' végrehajtás-módosító kell, hogy álljon Érvénytelen mód, az 'x' előtt az 'i', 'p' vagy 'u' végrehajtás-módosító kell, hogy álljon Érvénytelen hálózati bejegyzés. Érvénytelen profiljelző: %s. Memóriafoglalási hiba. A(z) %s:%s eltávolítása sikertelen. Memóriafoglalási hiba: A(z) ^%s eltávolítása sikertelen
 Memóriafoglalási hiba. Nincs elég memória
 PÁNIK rossz növekmény puffer: %p poz: %p kit: %p méret %d felb: %p
 Engedély megtagadva
 A profil már létezik
 A profil nem egyezik az aláírással
 A profil nem felel meg a protokollnak
 A profil nem létezik
 A 'debug' profiljelző már nem érvényes. A profil verzióját az AppArmor nem támogatja
 "%s" eltávolítása sikerült.
 "%s" cseréje sikerült.
 %s nem nyitható meg - %s
 A korlátozás nélküli végrehajtás-minősítő (%c%c) lehetővé teszi egyes veszélyes környezeti változók átadását a korlátozás nélküli folyamatnak; a részletekkel kapcsolatban lásd a 'man 5 apparmor.d' kézikönyvoldalt.
 Be nem állított logikai változó (%s) egy feltételes kifejezésben A nagybetűs "RWLIMX" minősítők használata elavult, használjon kisbetűket.
A részletekkel kapcsolatban lásd az apparmor.d(5) kézikönyvoldalt.
 Figyelem: A(z) %s nem tartalmaz megfelelő fájlrendszert, fel van csatolva?
Ez a --subdomainfs paraméterrel írható felül.
 A link és futtatás jogosultságok ütköznek egy fájl szabályon -> link jogosultságok nem engedélyezettek egy nevezett profil átmenetében.
 Lehet, hogy hiányzik egy sorvége karakter? (bejegyzés: %s) A részhalmaz csak a link szabályokkal használható. a munkaterület létrehozása nem sikerült
 A(z) %s profil sorba szedése nem sikerült
 nem biztonságos szabályból hiányzik a futtatási jogosultság                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     
      l   
             m      
   _  <   m  (          #                   )    J  t        a  <   s  .          &        &     *  2   G                                   	   
       %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: AppArmor list <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2016-01-20 08:59+0000
Last-Translator: Ari Setyo Wibowo <mr.a.contact@gmail.com>
Language-Team: Indonesian <id@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: id
 %s: [options]
  pilihan:
  -q | --quiet       Jangan tampilkan pesan apapun
  -h | --help         Tampilkan bantuan
 Kesalahan - '%s'
 Mungkin - izin tidak memadai untuk menentukan ketersediaan.
 Mungkin - kebijakan antarmuka tidak tersedia.
 Tidak - nonaktifkan saat boot.
 Tidak - tidak tersedia di sistem ini.
 Ya
 pilihan tidak dikenali '%s'
 pilihan yang tidak dikenali atau tidak kompatibel
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      	           	  <   )  0   f  3     6     >   
  $   A
  2   f
  >   
  7   
  /     9   @  G   z  G     =   
  R   H  :          $             2     P  )   h  2     #          w     /          0     '        '  !   B  +   d  '     /                     "   ;  !   ^  !     2               0     *   6  &   a  ,     9     $     3     ?   H  7          7   t  2     "     ;     3   >  &   r       0     F     D   (  C   m             %         
  .   .  0   ]  -     4     6     1   (     Z  J   q  E     W        Z     q  0     .          
          ;   !     ]  ?   p       )     !     $        9  (   P  F   y  :     >     <   :  M   w  1                   5     M            /      u   A   3      !      [   
!     i!  *   x!     !     !     !  "   !  4   "  :   H"  -   "  .   "     "  *   "  $   #  %   D#     j#  ,   #  &   #  '   #  (   #  (   ($  &   Q$  &   x$  <   $     $  (   $     %     6%  *   V%  $   %    %  $   D'  D   i'  8   '  ;   '  >   #(  O   b(  0   (  >   (  @   ")  ?   c)  4   )  A   )  Y   *  d   t*  L   *  l   &+  ?   +  !   +  %   +     ,  "   ;,     ^,  )   w,  5   ,  *   ,  #   -     &-  6   -      -  9    .  ,   Z.     .  &   .  0   .  ,   .  7   +/  "   c/     /  "   /  (   /  *   /  ,   0  0   C0     t0     0  3   0  6   0  0   1  7   F1  ?   ~1  %   1  =   1  B   "2  9   e2     2  8   c3  E   3  .   3  E   4  ?   W4  ,   4     4  6   4  S   5  Q   o5  R   5     6     26  %   L6  '   r6  7   6  9   6  6   7  7   C7  9   {7  4   7     7  Q   8  L   T8  g   8     	9     #9  4   A9  2   v9     9     9     9  B   9  
   ):  4   7:     l:  0   ~:  $   :  $   :     :  &   ;  H   2;  <   {;  @   ;  >   ;  \   8<  *   <  !   <  !   <     =     =  !   =     =  7   	>  z   A>  :   >  $   >  r   ?     ?  1   ?     ?     ?      
@  $   .@  J   S@  A   @  3   @  '   A     <A  2   OA  -   A  .   A     A  2   A  -   /B  .   ]B  /   B  /   B  -   B  -   C  C   HC     C  0   C      C  "   C  1   D  $   ID     M          W   Z           8   K   s           
          7   o   |          =       
   {      6   q       k   P       u   ;          w                                #   U         )          $   0       ?   	   "       :       >   <   1      b   E                         ]   ~      _   S      i       %   \   a                 !   N           G   D                     &   I           @   (       r   *   [       V   ,         X                   -       d      j   e   O             J   A   n      Q   '   L      .   +      z   t   ^      5      l   R   g   4          }   B   c      3   v         f      `       m   Y       T   y   9   x              C      p         h      /                       H   2   F    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Invalid profile name '%s' - bad regular expression
 %s: Regex error: trailing '\' escape character
 %s: Regex grouping error: Exceeded maximum nesting of {}
 %s: Regex grouping error: Invalid close ], no matching open [ detected
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write %s
 %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error for %s%s%s at line %d: %s
 AppArmor parser error,%s%s line %d: %s
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Cached load succeeded for "%s".
 Cached reload succeeded for "%s".
 Can't create cache directory: %s
 Can't update cache directory: %s
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Could not process include directory '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing policydb rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 ERROR replacing aliases for profile %s, failed to load
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read binary profile or cache file %s: %s.
 Error: Could not read cache file '%s', skipping...
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Feature buffer full. File in cache directory location: %s
 Found unexpected character: '%s' Internal error generated invalid %s perm 0x%x
 Internal error generated invalid DBus perm 0x%x
 Internal error generated invalid perm 0x%llx
 Internal: unexpected %s mode character '%c' in input Internal: unexpected DBus mode character '%c' in input Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile flag attach_disconnected conflicts with no_attach_disconnected Profile flag chroot_attach conflicts with chroot_no_attach Profile flag chroot_relative conflicts with namespace_relative Profile flag mediate_deleted conflicts with delegate_deleted Profile names must begin with a '/', namespace or keyword 'profile' or 'hat'. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Variable declarations do not accept trailing commas Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 bad mount rule dbus rule: invalid conditional group %s=() deny prefix not allowed fstat failed for '%s' invalid mount conditional %s%s invalid pivotroot conditional '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) mount point conditions not currently supported opendir failed '%s' owner prefix not allow on capability rules owner prefix not allow on dbus rules owner prefix not allow on mount rules owner prefix not allowed owner prefix not allowed on capability rules owner prefix not allowed on dbus rules owner prefix not allowed on mount rules owner prefix not allowed on ptrace rules owner prefix not allowed on signal rules owner prefix not allowed on unix rules profile %s network rules not enforced
 profile %s: has merged rule %s with conflicting x modifiers
 stat failed for '%s' subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unix rule: invalid conditional group %s=() unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2016-03-29 14:06+0000
Last-Translator: Ari Setyo Wibowo <mr.a.contact@gmail.com>
Language-Team: Indonesian <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: id
 %s: ASSERT: Pilihan tidak benar: %d
 %s: Tak dapat mengalokasikan memori untuk subdomainbase mount point
 %s: Kesalahan ditemukan saat postprocess.  Membatalkan.
 %s: Kesalahan ditemukan saat postprocessing.  Membatalkan.
 %s: Kesalahan ditemukan saat regex postprocess.  Membatalkan.
 %s: Kesalahan ditemukan saat menggabungkan aturan postprocessing. Membatalkan.
 %s: Kesalahan ditemukan di berkas. Membatalkan.
 %s: pembukaan ilegal {, pengelompokan bertumpuk tak diizinkan
 %s: Internal buffer overflow terdeteksi, %d karakter terlampaui
 %s: Nama profil tak benar '%s' - regular expression yang buruk
 %s: Kesalahan Regex: membuntuti karakter escape '\'
 %s: Kesalahan pengelompokan Regex: Tumpukan {} melebihi maksimum
 %s: Kesalahan pengelompokan Regex: Penutupan tak benar ], tak ada pembukaan [ terdeteksi
 %s: Kesalahan pengelompokan Regex: Penutupan tak benar }, tak ada pembukaan { yang cocok terdeteksi
 %s: Kesalahan pengelompokan Regex: Angka tak benar dari item-item antara {}
 %s: Kesalahan pengelompokan Regex: Pengelompokan tak tertutup atau kelas karakter, mengharapkan penutupan }
 %s: Maaf. Anda perlu izin root untuk menjalankan program ini.

 %s: Tak dapat menambahkan "%s".   %s: Tak dapat parse baris input '%s'
 %s: Tak dapat menghapus "%s".   %s: Tak dapat menggantikan "%s".   %s: Gagal menuliskan %s
 %s: Tak dapat menulis semua entri profil
 %s: Tak dapat menulis semua entri profil untuk cache
 %s: Tak dapat menuliskan ke berkas output
 %s: Tak dapat menuliskan ke stdout
 %s: Peringatan! Anda telah menentukan root untuk setuid program ini.
Siapapun yang dapat menjalankan program ini dapat pula memutakhirkan profil AppArmor Anda.

 (network_mode) Ditemukan karakter tak diharapkan: '%s' Penambahan berhasil untuk "%s".
 Kesalahan parser AppArmor untuk %s%s%s pada baris %d: %s
 Kesalahan parser AppArmor,%s%s baris %d: %s
 Kesalahan parser AppArmor: %s
 Assert: 'hat rule' mengembalikan NULL. Assert: 'local_profile rule' mengembalikan NULL. Assert: `change_profile' mengembalikan NULL. Assert: `network_rule' mengembalikan protokol tak benar Assert: `rule' mengembalikan NULL. Posisi tulis yang buruk
 Muatan cache berhasil untuk "%s".
 Muat kembali cache berhasil untuk "%s".
 Tak dapat menciptakan direktori cache: %s
 Tak dapat memutakhirkan direktori cache: %s
 Konflik 'a' dan 'w' perms yang saling eksklusif. Tak dapat membuka '%s' Tak dapat membuka '%s' di '%s' Tak dapat memproses termasuk direktori '%s' in '%s' Tidak dapat menyalin profil: Alamat memori yang buruk
 Tak dapat menggabungkan entri. Kehabisan Memori
 KESALAHAN menambahkan aturan akses hat untuk profil %s
 KESALAHAN mengembangkan variabel untuk profil %s, gagal memuat
 KESALAHAN di profil %s, gagal memuat
 KESALAHAN menggabungkan aturan untuk profil %s, gagal memuat
 KESALAHAN memproses aturan policydb untuk profil %s, gagal memuat
 KESALAHAN memproses regexs untuk profil %s, gagal memuat
 KESALAHAN profil %s berisi kebijakan elemen yang tak dapat digunakan dengan kernel ini:
	'*', '?', jangkauan karakter, dan alternasi tak diizinkan.
	'**' hanya boleh digunakan pada akhir aturan.
 KESALAHAN mengganti alias untuk profil %s, gagal memuat
 Kesalahan: Tidak dapat menambahkan direktori %s ke lokasi pencarian.
 Kesalahan: Tidak dapat mengalokasikan memori.
 Kesalahan: Tak dapat membaca profil binary atau berkas cache %s: %s.
 Kesalahan: Tak dapat membaca berkas cache '%s', mengabaikan...
 Kesalahan: Tak dapat membaca prodil %s: %s.
 Kesalahan: Memori tidak cukup.
 Kesalahan: basedir %s bukan sebuah direktori, lewati.
 Kualifikasi exec '%c%c' tak benar, konflik dengan kualifikasi yang sudah ditentukan Kualifikasi exec '%c' tak benar, konflik dengan kualifikasi yang sudah ditentukan Kualifikasi exec 'i' tidak benar, konflik dengan kualifikasi yang sudah ditentukan Gagal membuat alias %s -> %s
 Buffer fitur telah penuh. Berkas di lokasi direktori cache: %s
 Ditemukan karakter tak diharapkan: '%s' Kesalahan internal menghasilkan %s perm 0x%x tak benar
 Kesalahan internal menghasilkan DBus perm tak benar 0x%x
 Kesalahan internal menghasilkan perm tak benar 0x%llx
 Internal: karakter mode %s tak diharapkan '%c' di input Internal: Karakter mode DBus tak diharapkan '%c' di input Internal: karakter mode tak diharapkan '%c' di input Kemampuan tak benar %s. Mode tak benar, 'x' harus didahului dengan kualifikasi exec 'i', 'p', 'c', or 'u' Mode tak benar, 'x' harus didahului dengan kualifikasi exec 'i', 'p', or 'u' Mode tak benar, dalam menolak aturan 'x' harus tidak didahului dengan kualifikasi exec 'i', 'p', or 'u' Entri jaringan tak benar. Bendera profil tak benar: %s. Kesalahan Alokasi Memori: Tak dapat menghapus %s:%s. Kesalahan Alokasi Memori: Tak dapat menghapus ^%s
 Kesalahan alokasi memori. Kehabisan memori Kehabisan memori
 PANIC buffer increment yang buruk %p pos %p ext %p size %d res %p
 Izin ditolak
 Izin ditolak; coba memuat profil walaupun dibatasi?
 Profil telah ada
 Lampiran profil harus dimulai dengan sebuah '/'. Profil tidak cocok dengan signature
 Profil tidak sesuai dengan protokol
 Profil tidak ada
 Bendera profil 'debug' tak lagi benar. Bendera prodil attach_disconnected konflik dengan no_attach_disconnected Bendera profil chroot_attach konflik dengan chroot_no_attach Bendera profil chroot_relative konflik dengan namespace_relative Bendera profil mediate_deleted konflik dengan delegate_deleted Nama profil harus dimulai dengan sebuah '/', namespace atau kata kunci 'profile' atau 'hat'. Versi profil tidak didukung oleh Apparmor
 Penghapusan berhasil untuk "%s".
 Penggantian berhasil untuk "%s".
 Tak dapat membuka %s - %s
 Kualifikasi exec tak dibatasi (%c%c) mengixinkan beberapa environment variables berbahaya untuk diteruskan ke proses yang tak dibatasi; 'man 5 apparmor.d' untuk rinciannya.
 Kesalahan tak diketahui (%d): %s
 Jenis pola tak diketahui
 Unset variabel boolean %s digunakan dalam if-expression Kualifikasi huruf kapital "RWLIMX" telah usang, silakan ubah ke huruf kecil
Lihat apparmor.d(5) manpage untuk rinciannya.
 Deklarasi variabel tidak menerima beberapa koma berturutan Peringatan dari %s (%s%sline %d): %s Peringatan: tak dapat menemukan fs yang cocok di %s, apakah sudah di-mount?
Gunakan --subdomainfs untuk override.
 aturan mount yang buruk aturan dbus: Kelompok conditional tak benar %s=() awalan menolak tak diizinkan fstat gagal untuk '%s' Mount conditional tak benar %s%s Pivotroot conditional tak benar '%s' link dan exec perms konflik dalam sebuah aturan berkas yang menggunakan -> link perms tidak diizinkan dalam sebuah transisi profil bernama.
 kehilangan sebuah karakter end of line? (entry: %s) kondisi mount point sedang tak didukung opendir gagal '%s' awalan pemilik tak diizinkan pada aturan kemampuan awalan pemilik tak diizinkan pada aturan dbus awalan pemilik tak diizinkan pada aturan mount awalan pemilik tak diizinkan awalan pemilik tak diizinkan pada aturan kemampuan awalan pemilik tak diizinkan pada aturan dbus awalan pemilik tak diizinkan pada aturan mount awalan pemilik tak diizinkan pada aturan ptrace awalan pemilik tak diizinkan pada aturan signal awalan pemilik tak diizinkan pada aturan unix profil %s aturan jaringan tidak dilaksanakan
 profil %s: telah menggabungkan aturan %s dengan konflik modifier x
 stat gagal untuk '%s' subset hanya dapat digunakan dengan aturan link. tak dapat membuat wilayah kerja
 tak dapat menyambungkan profil %s
 aturan unix: Kelompok conditional tak benar %s=() aturan tak aman kehilangan izin exec                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  	           	  <   )  0   f  3     6     >   
  $   A
  2   f
  >   
  7   
  /     9   @  G   z  G     =   
  R   H  :          $             2     P  )   h  2     #          w     /          0     '        '  !   B  +   d  '     /                     "   ;  !   ^  !     2               0     *   6  &   a  ,     9     $     3     ?   H  7          7   t  2     "     ;     3   >  &   r       0     F     D   (  C   m             %         
  .   .  0   ]  -     4     6     1   (     Z  J   q  E     W        Z     q  0     .          
          ;   !     ]  ?   p       )     !     $        9  (   P  F   y  :     >     <   :  M   w  1                   5     M            /      u   A   3      !      [   
!     i!  *   x!     !     !     !  "   !  4   "  :   H"  -   "  .   "     "  *   "  $   #  %   D#     j#  ,   #  &   #  '   #  (   #  (   ($  &   Q$  &   x$  <   $     $  (   $     %     6%  *   V%  $   %    %  '   P'  M   x'  @   '  @   (  I   H(  c   (  /   (  Q   &)  C   x)  I   )  5   *  U   <*  z   *  n   
+  F   |+  c   +  M   ',  "   u,  .   ,  !   ,  "   ,     -  3   )-  6   ]-  ,   -  #   -     -  1   ~.     .  :   .  0   /     9/  *   U/  4   /  0   /  B   /  &   )0     P0  2   o0  4   0  -   0  1   1  7   71     o1     1  7   1  <   1  ,   2  I   I2  S   2  0   2  L   3  P   e3  N   3     4  F   4  G   5  &   [5  G   5  >   5  /   	6     96  @   T6  Z   6  P   6  N   A7  +   7     7  /   7  "   8  >   %8  ?   d8  <   8  ;   8  >   9  7   \9     9  Z   9  V   :  q   c:     :      :  ;   ;  9   K;     ;     ;     ;  J   ;     <  R    <     s<  )   <  &   <  )   <     =  /   =  R   K=  F   =  J   =  H   0>  Z   y>  8   >     
?      +?     L?     h?     #@     @@  <   ]@     @  <   A     YA  r   xA     A  1   B  $   8B     ]B  &   yB  &   B  `   B  W   (C  .   C  8   C     C  B   D  6   ID  >   D  $   D  >   D  5   #E  >   YE  8   E  <   E  6   F  ,   EF  ?   rF     F  H   F  "   G  $   9G  1   ^G  9   G     M          W   Z           8   K   s           
          7   o   |          =       
   {      6   q       k   P       u   ;          w                                #   U         )          $   0       ?   	   "       :       >   <   1      b   E                         ]   ~      _   S      i       %   \   a                 !   N           G   D                     &   I           @   (       r   *   [       V   ,         X                   -       d      j   e   O             J   A   n      Q   '   L      .   +      z   t   ^      5      l   R   g   4          }   B   c      3   v         f      `       m   Y       T   y   9   x              C      p         h      /                       H   2   F    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Invalid profile name '%s' - bad regular expression
 %s: Regex error: trailing '\' escape character
 %s: Regex grouping error: Exceeded maximum nesting of {}
 %s: Regex grouping error: Invalid close ], no matching open [ detected
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write %s
 %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error for %s%s%s at line %d: %s
 AppArmor parser error,%s%s line %d: %s
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Cached load succeeded for "%s".
 Cached reload succeeded for "%s".
 Can't create cache directory: %s
 Can't update cache directory: %s
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Could not process include directory '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing policydb rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 ERROR replacing aliases for profile %s, failed to load
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read binary profile or cache file %s: %s.
 Error: Could not read cache file '%s', skipping...
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Feature buffer full. File in cache directory location: %s
 Found unexpected character: '%s' Internal error generated invalid %s perm 0x%x
 Internal error generated invalid DBus perm 0x%x
 Internal error generated invalid perm 0x%llx
 Internal: unexpected %s mode character '%c' in input Internal: unexpected DBus mode character '%c' in input Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile flag attach_disconnected conflicts with no_attach_disconnected Profile flag chroot_attach conflicts with chroot_no_attach Profile flag chroot_relative conflicts with namespace_relative Profile flag mediate_deleted conflicts with delegate_deleted Profile names must begin with a '/', namespace or keyword 'profile' or 'hat'. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Variable declarations do not accept trailing commas Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 bad mount rule dbus rule: invalid conditional group %s=() deny prefix not allowed fstat failed for '%s' invalid mount conditional %s%s invalid pivotroot conditional '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) mount point conditions not currently supported opendir failed '%s' owner prefix not allow on capability rules owner prefix not allow on dbus rules owner prefix not allow on mount rules owner prefix not allowed owner prefix not allowed on capability rules owner prefix not allowed on dbus rules owner prefix not allowed on mount rules owner prefix not allowed on ptrace rules owner prefix not allowed on signal rules owner prefix not allowed on unix rules profile %s network rules not enforced
 profile %s: has merged rule %s with conflicting x modifiers
 stat failed for '%s' subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unix rule: invalid conditional group %s=() unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2014-10-26 18:14+0000
Last-Translator: Claudio Arseni <claudio.arseni@gmail.com>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: it
 %s: ASSERZIONE: opzione non valida: %d
 %s: impossibile allocare memoria per il punto di montaggio base sottodominio
 %s: rilevati errori durante la post-elaborazione. Interruzione.
 %s: rilevati errori durante la post-elaborazione. Interruzione.
 %s: individuati errori durante la post-elaborazione regex. Interruzione.
 %s: individuati errori durante la post-elaborazione della combinazione delle regole. Interruzione.
 %s: errori individuati nel file. Interruzione.
 %s: parantesi {di apertura non valida, annidamento raggruppamenti non consentito
 %s: individuato overflow del buffer interno, superati %d caratteri
 %s: nome "%s" del profilo non valido - espressione regolare non corretta
 %s: errore regex: carattere di escape "\" terminante
 %s: errore raggruppamento espressione regolare: superata nidificazione massima di {}
 %s: errore raggruppamento espressione regolare: parentesi ] di chiusura non valida, corrispondente apertura [ non trovata
 %s: errore raggruppamento regex: parentesi } di chiusura non valida, non è stata individuata alcuna { aperta
 %s: errore raggruppamento regex: numero di elementi non valido tra {}
 %s: errore raggruppamento regex: raggruppamento non chiuso o classe caratteri, chiusura prevista }
 %s: errore. Sono richiesti privilegi di root per eseguire questo programma.

 %s: Impossibile aggiungere "%s".   %s: impossibile analizzare la riga input "%s"
 %s: Impossibile rimuovere "%s".   %s: Impossibile sostituire "%s".   %s: impossibile scrivere %s
 %s: impossibile scrivere l'intera voce del profilo
 %s: impossibile scrivere l'intero profilo nella cache
 %s: impossibile scrivere sul file di output
 %s: Impossibile scrivere su stdout
 %s: attenzione. È stato impostato il root setuid di questo programma.
Chiunque possa eseguire questo programma può aggiornare i profili di AppArmor.

 (network_mode) Trovato carattere imprevisto: "%s" Aggiunta riuscita per "%s".
 Errore di analisi di AppArmor per %s%s%s alla riga %d: %s
 Errore di analisi di AppArmor, %s%s riga %d: %s
 Errore parser AppArmor: %s
 Asserzione: "hat rule" ha restituito NULL. Asserzione: "local_profile rule" ha restituito NULL. Asserzione: "change_profile" ha restituito NULL. Asserzione: "network_rule" ha restituito un protocollo non valido. Asserzione: "rule" ha restituito NULL. Posizione di scrittura errata
 Caricamento cache eseguito con successo per "%s".
 Ricaricamento cache eseguito con successo per "%s".
 Impossibile creare la directory di cache: %s
 Impossibile aggiornare la directory di cache: %s
 Conflitto: i permessi "a" e "w" si escludono a vicenda. Impossibile aprire "%s" Impossibile aprire "%s" in "%s" Impossibile elaborare inclusione directory "%s" in "%s" Impossibile copiare il profilo: indirizzo di memoria errato
 Impossibile unire le voci: memoria esaurita
 ERRORE durante l'aggiunta di una regola di accesso hat per il profilo %s
 ERRORE nell'espansione delle variabili per il profilo %s, caricamento non riuscito
 ERRORE nel profilo %s, caricamento non riuscito
 ERRORE nell'unione delle regole per il profilo %s, caricamento non riuscito
 ERRORE elaborazione regole policydb per il profilo %s, caricamento non riuscito
 ERRORE nell'elaborazione di regex per il profilo %s, caricamento non riuscito
 ERRORE: il profilo %s contiene elementi di norme non utilizzabili con questo kernel:
	"*", "?", intervalli di caratteri e alternanze non consentiti.
	"**" utilizzabili solo alla fine di una regola.
 ERRORE sostituzione alias per il profilo %s, caricamento non riuscito
 Errore: impossibile aggiungere la directory %s al percorso di ricerca.
 Errore: impossibile allocare memoria.
 Errore: impossibile leggere il profilo binario o il file cache %s: %s.
 Errore: impossibile leggere il file di cache "%s", saltato...
 Errore: impossibile leggere il profilo %s: %s.
 Errore: memoria esaurita.
 Errore: la directory di base %s non è una directory, ignorata.
 Il qualificatore exec "%c%c" non è valido: qualificatore in conflitto è già specificato Qualificatore Exec "%c" non valido: qualificatore in conflitto già specificato. Qualificatore Exec "i" non valido: qualificatore in conflitto già specificato Creazione dell'alias %s -> %s non riuscita
 Buffer feature pieno. File nel percorso della directory di cache: %s
 Trovato carattere imprevisto: "%s" Un errrore interno ha generato un permesso %s non valido 0x%x
 Un errore interno ha generato un permesso DBus non valido 0x%x
 Un errore interno ha generato un permesso non valido 0x%llx
 Interno: carattere %s di modalità inatteso nell'input "%c" Interno: modalità caratteri DBus "%c" inaspettata in ingresso Interno: carattere modalità imprevisto "%c" nell'input Funzionalità non valida %s. Modalità non valida. "x" deve essere preceduto dal qualificatore exec "i", "p", "c" o "u" Modalità non valida. "x" deve essere preceduto dal qualificatore Exec "i", "p" o "u". Modalità non valida. Nelle regole di divieto "x" non deve essere preceduto dal qualificatore exec "i", "p" o "u" Voce di rete non valida. Flag del profilo non valida: %s. Errore di allocazione memoria: impossibile rimuovere %s:%s. Errore di allocazione memoria: impossibile rimuovere ^%s
 Errore allocazione memoria. Memoria esaurita Memoria esaurita
 ATTENZIONE buffer incremento errato %p pos %p est %p dimensione %d ris %p
 Permesso negato
 Permesso non consentito: tentativo di caricare un profilo con i limiti applicati?
 Profilo già esistente
 L'allegato profilo deve iniziare con "/". Il profilo non corrisponde alla firma
 Il profilo non è conforme al protocollo
 Profilo inesistente
 La flag "debug" del profilo non è più valida. La flag attach_disconnected del profilo va in conflitto con no_attach_disconnected La flag chroot_attach del profilo va in conflitto con chroot_no_attach La flag del profilo chroot_relative va in conflitto con namespace_relative La flag mediate_deleted del profilo va in conflitto con delegate_deleted I nomi di profili devono iniziare con "/", namespace o le parole chiavi "profile" o "hat". Versione del profilo non supportata dal modulo Apparmor
 Rimozione riuscita per "%s".
 Sostituzione riuscita per "%s".
 Impossibile aprire %s - %s
 Il qualificatore Exec senza limitazioni (%c%c) consente il passaggio di alcune variabili d'ambiente pericolose al processo senza limitazioni; consultare "man 5 apparmor.d" per dettagli.
 Errore sconosciuto (%d): %s
 Tipo di modello sconosciuto
 Variabile booleana %s non impostata usata in espressione if. Qualificatori maiuscoli "RWLIMX" obsoleti, utilizzare caratteri minuscoli.
Per dettagli, consultare la manpage di apparmor.d(5).
 La dichiarazione di variabile non accetta virgole terminanti Avviso da %s (%s%sriga %d): %s Avviso: impossibile trovare un fs adatto in %s. È effettivamente montato?
Per ignorare, utilizzare -subdomainfs.
 regola di montaggio errata regola dbus: gruppo condizionale %s=() non valido prefisso di negazione non consentito fstat non riuscita per "%s" montaggio condizionale non valido %s%s condizionale pivotroot "%s" non valido le autorizzazioni link ed exec sono in conflitto con le regole definite nel file che utilizza -> non è possibile usare collegamenti permanenti nella transizione del profilo nominato.
 un carattere di fine riga mancante? (voce: %s) condizioni punti di montaggio attualmente non supportati opendir non riuscita per "%s" prefisso proprietario non consentito nelle regole di funzionalità prefisso proprietario non consentito nelle regole dbus prefisso proprietario non consentito nelle regole di montaggio prefisso proprietario non consentito prefisso proprietario non consentito nelle regole di capacità prefisso proprietario non consentito nele regole dbus prefisso proprietario non consentito nelle regole di montaggio prefisso proprietario non consentito nelle regole ptrace prefisso proprietario non consentito nelle regole di segnale prefisso proprietario non consentito nelle regole unix regole di rete del profilo %s non applicate
 profilo %s: ha regole unite %s con modificatori x in conflitto
 stat non riuscita per "%s" sottoinsieme può essere usato solamente con le regole dei collegamenti. impossibile creare area di lavoro
 impossibile serializzare profilo %s
 regola unix: gruppo condizionale %s=() non valido autorizzazioni esecuzione mancanti per regola non sicura.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           R        m   <             <     0   N  3     6     >     $   )  2   N  >     G     =   	  R   F	  :   	     	  $   	     
     0
  )   N
     x
  w   
  /        ?     ]  !   x  +     '     /             <  2   P  &     ,     9     $   
  3   6
  7   j
     
  2   V  "     &          0     F     D   b  C                 -   -  1   [       J     E     W   5            0     .             7  ;   F            !     $          (     1   4     f                  /   R  u     [     4   T  :     -     (             7  $   W    |  (        ?  P     P     X   b  _     P     T   l  a     s   #  I          T   i  )     .     )     )   A  P   k  #          E               4   %  A   Z  :     L     0   $      U   K   o   C      h      q   h!  B   !  w   "  m   "     #  T   #  J   I$  I   $     $  r   $  w   l%  u   %  w   Z&  A   &  0   '  _   E'  H   '     '  z   (  s   (     (  '   )  ;   )  A   )  =   >*  !   |*     *  ?   *  %   *  .   +  7   D+  @   |+  (   +  F   +  `   -,     ,     ,     ,     ,  C   -     -     .  d   p/  s   /  0   I0  T   z0  %   0  B   0  U   81     J   !      	   :              A   (              =   F       -      9                  7          D   3   $      P       L   <          
       0       6      H   K   1   >   2                             8          E           ?   Q             G      *   B       &   @   R                              C   I   "   )   M       5      O            %      #   /   +      ,      4   '       .   
   N   ;    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 02:52+0000
Last-Translator: Novell Language <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: ja
 %s: ASSERT:無効なオプション: %d
 %s: サブドメインベースマウントポイントに対してメモリを割り当てることができませんでした
 %s: 後処理の際にエラーが発生しました。中止しています。
 %s: 後処理の際にエラーが発生しました。中止しています。
 %s: regex後処理の間にエラーが見つかりました。中止しています。
 %s: 規則後処理の結合中にエラーが見つかりました。中断しています。
 %s: ファイルにエラーが検出されました。中止しています。
 %s: 不正オープン{、入れ子グループ分けは許可されていません
 %s: 内部バッファオーバーフローが検出されました、%d文字超えています
 %s: Regexグループ分けエラー:無効なクローズ}、一致するオープンがありません{ detected
 %s: Regexグループ分けエラー:{}の間にある項目の無効数
 %s: Regexグループ分けエラー:グループ分けまたは文字クラスが閉じていません。クローズ}が必要です
 %s: このプログラムを実行するには、ルート特権が必要です。

 %s: 「%s」を追加できません。   %s: 入力行「%s」を解析できません
 %s: 「%s」を削除できません。   %s: 「%s」を置換できません。   %s: プロファイルエントリ全体を書き込むことができません
 %s: stdoutに書き込めません
 %s: 警告! このプログラムのsetuidをルートに設定しました。
このプログラムを実行できるユーザはすべて、AppArmorプロファイルを更新できます。

 (network_mode) 予期しない文字が見つかりました:「%s」 「%s」に続く追加。
 AppArmorパーサエラー: %s
 Assert:「hat rule」はNULLを返しています。 Assert: 「local_profile rule」は NULL を返しています。 Assert:「change_profile」はNULLを返しています。 Assert:「network_rule」は無効なプロトコルを返しています。 Assert:「rule」はNULLを返しています。 不正書き込み位置
 競合:パーミッション「a」と「w」は互いに排他的です。 エントリをマージできませんでした。メモリ不足
 プロファイル %s にハットアクセスルールを追加する際にエラーになりました
 プロファイル %s の変数の拡張中にエラーが発生しました。ロードできませんでした
 プロファイル%sのエラー、ロードに失敗しました
 プロファイル %s のルールをマージ中にエラーが発生しました。ロードできませんでした
 プロファイル %s のregex処理中にエラーが発生しました。ロードできませんでした
 エラー:プロファイル %s にこのカーネルで使用できないポリシー要素があります:
	「*」、「?」、文字範囲、交代は許可されません。
	「**」はルールの末尾にのみ使用できます。
 エラー:ディレクトリ %s を検索パスに追加できませんでした。
 エラー:メモリを割り当てることができませんでした。
 エラー:プロファイル %s: %s を読み込めませんでした。
 エラー:メモリ不足
 エラー:ベースディレクトリ %s はディレクトリではありません。スキップしています
 Execクォリファイア'%c%c' は無効です。競合するクォリファイアがすでに指定されています Execクォリファイア「%c」は無効です。競合するクォリファイアがすで指定されています Execクォリファイア「i」は無効です、相反するクォリファイアがすでに指定されています 別名 %s -> %s を作成することができませんでした
 予期しない文字を検出しました: '%s' 内部エラーが発生しました。パーミッシオンが正しくありません 0x%llx
 内部:予期しないモード文字「%c」が入力されています 無効な機能です %s 無効なモードです。「x」の前には実行修飾子「i」、「p」、「c」または「u」が必要です。 無効なモードです。「x」の前にクォリファイア「i」、「p」、または「u」が必要です 無効なモードです。拒否ルール内では「x」の前にExecクォリファイア「i」、「p」、または「u」を付けてはいけません。 無効なネットワークエントリ プロファイルフラグが正しくありません:  %s メモリ割り当てエラー: %s:%s を削除できません。 メモリ割り当てエラー: ^%s を削除できません
 メモリ割り当てエラー。 メモリ不足
 PANIC 不正増分バッファ %p pos %p ext %p size %d res %p
 拒否されたパーミッション
 プロファイルはすでに存在します
 プロファイルが署名に一致していません
 プロファイルがプロトコルに準拠していません
 プロファイルが存在しません
 プロファイルフラグ'debug'は現在は利用できません。 プロファイルバージョンがApparmorモジュールでサポートされていません
 「%s」に続く削除。
 「%s」に続く置換。
 開けません %s - %s
 制限されていないexecクォリファイア(%c%c)によって、危険な環境変数が制限されていないプロセスに渡されます。詳細は、「man 5 apparmor.d」を参照してください。
 未設定のブール値変数%sがif式に使用されています 大文字のクォリファイア「RWLIMX」は推奨されていません。小文字に変換してください。
詳細は、apparmor.d(5)のマニュアルページを参照してください。
 警告:適切なfsが %s に見つかりません。マウントされているか確認してください。
--subdomainfsを使用して上書きしてください。
 以下のファイルルール内でリンクとexecパーミッションが矛盾しています -> リンクパーミッションは名前付きプロファイルの変更で使用することはできません。
 行末文字が欠けていますか?(entry: %s) サブセットはリンクルールと共にのみ使用することができます 作業領域を作成できません
 プロファイル%sを順番に並べることができません
 ルールが安全ではありません。execパーミッションがありません                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:25+0000
Last-Translator: George Machitidze <giomac@gmail.com>
Language-Team: Georgian <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: ka
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     R        m   <             <     0   N  3     6     >     $   )  2   N  >     G     =   	  R   F	  :   	     	  $   	     
     0
  )   N
     x
  w   
  /        ?     ]  !   x  +     '     /             <  2   P  &     ,     9     $   
  3   6
  7   j
     
  2   V  "     &          0     F     D   b  C                 -   -  1   [       J     E     W   5            0     .             7  ;   F            !     $          (     1   4     f                  /   R  u     [     4   T  :     -     (             7  $   W    |  \        x     '          R       n        
       )         	          >   n!  \   !  <   
"  ;   G"  l   "  @   "  \  1#  y   $  b   %  B   k%  V   %  <   &  B   B&     &  R   '  1   Y'  Z   '     '     s(     )     )     ^*     N+    (,     4.  f   .  T   K/  0   /  q   /     C0     0     n1     92  ^   2     '3     3  M   c4     4     D5     5  S   n6  X   6     7     7  A   08     r8  ;   8  F   8  7   9  U   D9  R   9  7   9     %:     :  b   I;  _   ;  =   <    J<     1>    >  &  a@     A     	B  q   B     dC  U   D  q   kD  $   D     J   !      	   :              A   (              =   F       -      9                  7          D   3   $      P       L   <          
       0       6      H   K   1   >   2                             8          E           ?   Q             G      *   B       &   @   R                              C   I   "   )   M       5      O            %      #   /   +      ,      4   '       .   
   N   ;    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 02:34+0000
Last-Translator: Khoem Sokhem <khoemsokhem@khmeros.info>
Language-Team: Khmer <support@khmeros.info>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: km
 %s ៖ ASSERT ៖ ជម្រើស​មិន​ត្រឹមត្រូវ ៖ %d
 %s ៖ មិន​អាច​បម្រុង​ទុក​សតិ​សម្រាប់​ចំណុច​ម៉ោនមូលដ្ឋាន​ដែនរង
 %s ៖ មាន​កំហុស​កំឡុង​ពេល​ដំណើរការ​បន្ទាប់ ។  បោះបង់ ។
 %s ៖ មាន​​កំហុស​កំឡុង​ពេល​ដំណើរការ​បន្ទាប់ ។  បោះបង់ ។
 %s ៖ មាន​កំហុស​កំឡុង​ពេល​ដំណើរ​ការ regex ជា​មុន ។  បោះបង់ ។
 %s ៖ រក​ឃើញ​កំហុស​ក្នុង​ច្បាប់​បន្សំ​ដំណើរការ​ជា​មុន ។ បោះបង់ ។
 %s ៖ រក​ឃើញ​កំហុស​ក្នុង​ឯកសារ ។ បោះបង់ ។
 %s ៖ ការ​បើក​មិន​ត្រឹមត្រូវ {, ការ​ដាក់​ជា​ក្រុម​ក្នុង​មិន​បាន​អនុញ្ញាត
 %s ៖ បាន​រកឃើញ​សតិ​បណ្ដោះ​អាសន្ន​ខាង​ក្នុង​លើស​ចំណុះ បាន​លើសតួអក្សរ %d
 %s ៖ កំហុស​ការ​ដាក់​កន្សោម​ធម្មតា​ជាក្រុម ៖ បិទ​មិន​ត្រឹមត្រូវ } មិន​ផ្គូផ្គង​នឹង​ការ​បើក { ដែល​បាន​រក​ឃើញ
 %s ៖ កំហុស​ការ​ដាក់​កន្សោម​ធម្មតា​ជា​ក្រុម ៖ ចំនួន​ធាតុ​មិន​ត្រឹមត្រូវ​ចន្លោះ {}
 %s ៖ Regex កំហុស​ការ​ដាក់​ជា​ក្រុម ៖ ការ​ដាក់​ជា​ក្រុម​ដែល​បាន​បិទ ឬ​ថ្នាក់​តួអក្សរ រំពឹង​ថា​បិទ }
 %s ៖ សូម​ទោស ។ អ្នក​ត្រូវ​ការ​សិទ្ធិ​ជា root ដើម្បី​រត់​កម្មវិធី​នេះ ។

 %s ៖ មិន​អាច​បន្ថែម "%s" ។   %s ៖ មិន​អាច​ញែក​បន្ទាត់​បញ្ចូល '%s'
 %s ៖ មិន​អាច​យក "%s" ចេញ ។   %s ៖ មិន​អាច​ជំនួស "%s" ។   %s ៖ មិន​អាច​សរសេរធាតុ​ទម្រង់​ទាំង​មូល
 %s ៖ មិន​អាច​សរសេរ​ទៅ stdout
 %s ៖ ​ព្រមាន ! អ្នក​បាន​កំណត់​កម្មវិធី​នេះជា setuid root ។
អ្នក​ដែល​រត់​កម្មវិធី​នេះ អាច​ធ្វើ​ឲ្យ​ទម្រង់ AppArmor ​របស់​អ្នក​ទាន់​សម័យ ។

 (network_mode) រក​ឃើញ​តួអក្សរ​ដែល​មិន​រំពឹង​ទុក ៖ '%s' ការ​បន្ថែម​បាន​ជោគជ័យ​សម្រាប់ "%s" ។
 កំហុស​ឧបករណ៍​ញែក AppArmor ៖ %s
 អះអាង ៖ 'ច្បាប់ hat' បាន​ត្រឡប់ NULL ។ អះអាង ៖ 'local_profile rule' returned NULL ។ អះអាង ៖ `change_profile' ត្រឡប់ NULL ។ អះអាង ៖ `network_rule' ត្រឡប់​ពិធីការ​មិន​ត្រឹមត្រូវ ។ អះអាង ៖ `ច្បាប់' បាន​ត្រឡប់ NULL ។ ទីតាំង​សរសេរ​ខូច
 ប៉ះទង្កិច 'a' និង 'w' ដក​ចេញ​ដោយ​ដៃ ។ ធាតុ​មិន​អាច​បញ្ចូល​ចូល​គ្នា​បាន​ឡើយ​ ។  អស់​សតិ
 កំហុស​ក្នុង​​បន្ថែម​ច្បាប់​​ចូលដំណើរការ hat សម្រាប់​ទម្រង់ %s
 កំហុស ពង្រីក​អថេរ​សម្រាប់​ទម្រង់ %s បាន​បរាជ័យ​ក្នុង​​​ការ​ផ្ទុក
 កំហុស​ក្នុង​ទម្រង់ %s បាន​បរាជ័យ​ក្នុង​ការ​ផ្ទុក
 កំហុស​ក្នុង​ការ​បញ្ចូល​ក្បួន​ចូល​គ្នា​សម្រាប់​ទម្រង់ %s បាន​បរាជ័យ​ក្នុង​ការ​ផ្ទុក
 កំហុស​ក្នុង​ការ​ចូល​ដំណើរការ regexs សម្រាប់​ទម្រង់ %s បាន​បរាជ័យ​ក្នុង​ការ​ផ្ទុក
 កំហុស​ទម្រង់ %s មាន​ធាតុ​គោល​នយោបាយដែល​មិន​អាច​ប្រើ​ជា​មួយ​នឹង​ខឺណែល​នេះ ៖
	'*', '?', ជួរ​តួអក្សរ និង​ការ​ជំនួស​មិន​ត្រូវ​បាន​អនុញ្ញាត ។
	'**' អាច​ត្រូវ​បាន​ប្រើ​តែ​នៅ​ចុង​ក្បួន​តែ​ប៉ុណ្ណោះ ។
 កំហុស​ ៖ មិន​អាច​បន្ថែម​ថត​ %s ដើម្បី​ស្វែងរក​ផ្លូវ​បាន​ឡើយ​ ។
 កំហុស​ ៖ មិន​អាច​បម្រុង​សតិ​ទុក​​ ។
 កំហុស ៖ មិនអាច​អាន​ទម្រង់ %s: %s ។
 កំហុស ៖ អស់​សតិ ។
 កំហុស  ៖  basedir %s មិនមែន​ថត​ឡើយ​ កំពុង​រំលង ។
 Exec qualifier '%c%c' មិន​ត្រឹមត្រូវ កា​រប៉ះទង្គិច​បាន​បញ្ជាក់​រួច​ហើយ Exec qualifier '%c' មិន​ត្រឹមត្រុវ ការ​ប៉ះទង្គិច​ qualifier already specified Exec qualifier 'i' មិន​ត្រឹមត្រូវ​ឡើយ, qualifier ដែល​ប៉ះទង្គិច​ត្រូវ​បាន​បញ្ជាក់​រួច​ហើយ បាន​បរាជ័យ​ក្នុង​កា​របង្កើត​ឈ្មោះ​ក្លែងក្លាយ %s -> %s
 រក​ឃើញ​តួអក្សរ​ដែល​មិន​រំពឹង ៖ '%s' កំហុស​ខាង​ក្នុង​បាន​បង្កើត​ perm មិន​ត្រឹមត្រូវ 0x%llx
 ខាង​ក្នុង ៖ តួអក្សរ​របៀប​ដែល​មិន​រំពឹង '%c' ក្នុង​ព័ត៌មាន​បញ្ចូល សមត្ថភាព​មិន​ត្រឹមត្រូវ %s ។ របៀប​មិន​ត្រឹមត្រូវ, 'x' ត្រូវ​តែ​បន្ត​ដោយ exec qualifier 'i', 'u' ឬ 'p' របៀប​មិន​ត្រឹមត្រូវ, 'x' ត្រូវ​តែ​បន្ត​ដោយ exec qualifier 'i', 'u' ឬ 'p' របៀប​មិន​ត្រឹមត្រូវ 'x' មិន​ត្រូវ​​បន្ត​ដោយ exec qualifier 'i' 'u' ឬ 'p' ធាតុ​បណ្ដាញ​មិន​ត្រឹមត្រូវ ។ ទង់​ទម្រង់​មិន​ត្រឹមត្រូវ ៖ %s ។ កំហុស​ក្នុង​កា​របម្រុង​ទុក​សតិ ៖ មិន​អាច​យក %s:%s ។ កំហុស​ក្នុង​កា​របម្រុងទុក​សតិ ៖ មិន​អាច​យក ^%s ចេញ
 កំហុស​បម្រុង​ទុក​សតិ ។ អស់​សតិ
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 សិទ្ធិ​ត្រូវ​បាន​បដិសេធ
 ទម្រង់​មាន​រួច​ហើយ
 ទម្រង់​មិន​ផ្គូផ្គង​ហត្ថលេខា
 ទម្រង់​មិន​អះអាង​ទៅ​ពិធីការ
 មិន​មាន​ទម្រង់​ឡើយ
 ទង់​តម្រង់ 'បំបាត់​កំហុស' មិន​ត្រឹមត្រូវ​ទៀតទេ ។ ទម្រង់កំណែ​​មិន​ត្រូវ​បាន​គាំទ្រ​ដោ​យ​ម៉ូឌុល​ Apparmor ឡើយ
 ការ​យក​ចេញ​បាន​ជោគជ័យ​សម្រាប់ "%s" ។
 ការ​ជំនួស​បាន​ជោគជ័យ​សម្រាប់ "%s" ។
 មិន​អាច​បើក %s - %s បានឡើយ
 មិន​បាន​​មានការ​បង្ខំ exec ដែល​មាន​គុណភាព​ (%c%c) ព័ត៌មាន​លម្អិត​អនុញ្ញាត​ឲ្យមាន​​អថេរបរិស្ថាន​គ្រោះ​ថ្នាក់​មួយ​ចំនួន​​ឆ្លង​កាត់​ដំណើរការ​ដែល​គ្មាន​ការ​បង្ខំ​ដោយ​ 'man ៥ apparmor.d'  ។
 អថេរ​ប៊ូលីន​មិន​កំណត់ %s បាន​ប្រើ​ក្នុង​កន្សោម if ឧបករណ៍​​បញ្ជាក់​​គុណលក្ខណៈអក្សរ​​​ធំ​ "RWLIMX" ត្រូវ​បាន​បរិយាយ​ សូម​បម្លែង​វា​ទៅ​ជា​អក្សរ​តូច​វិញ​មើល​សេចក្ដី​លម្អិត​​ក្នុងទំព័រ​មេ​របស់​​ apparmor.d (៥​)  ​។
 ការ​ព្រមាន ៖ មិន​អាច​រក​ fs ដែល​សមរម្យ​នៅ​ក្នុង %s តើ​វា​ត្រូវ​បាន​ម៉ោន​ហើយ​ឬនៅ ?
ប្រើ --subdomainfs ដើម្បី​បដិសេធ ។
 តំណ និង exec perms ប៉ះទង្គិច​​ច្បាប់​ឯកសារ ដោយ​ប្រើ -> តំណ perms មិន​ត្រូវ​បាន​អនុញ្ញាត​នៅ​លើ​​ដំណើរការ​ផ្លាស់ប្ដូរ​ទម្រង់​ដែល​មានឈ្មោះ ។
 បាត់​តួអក្សរ​ចុង​បន្ទាត់​មួយឬ ? (ធាតុ ៖ %s) សំណុំ​រង​អាច​ត្រូវ​បាន​ប្រើ​តែ​ជា​មួយ​ច្បាប់​តំណ​ប៉ុណ្ណោះ ។ មិន​អាច​បង្កើត​តំបន់​ធ្វើការ
 មិន​អាច​កំណត់​ទម្រង់ %s ជា​ស៊េរី​បាន​ឡើយ
 unsafe rule missing exec permissions                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   S        q   L             <   1  0   n  3     6     >   
  $   I  2   n  >     G     =   (	  R   f	  :   	     	  $   
     3
     P
  )   n
     
  w   
  /   /     _     }  !     +     '     /        >     \  2   p  *     &     ,     9   "
  $   \
  3   
  7   
     
  2     "     &          0   5  F   f  D     C         6      W  -   x  1          J     E   :  W               0   	  .   :     i       ;               !     $        ?  (   V  1                          /     u     [   C  4     :     -     (   =     f       $         #   W  d   {  K     K   ,  [   x  k     6   @  Z   w  G     a     E   |       K   K  .     =     .     +   3  8   _  $          /     ,     "     4     ;   ;  :   w  G     0     (   +   A   T   D      D      A    !  f   b!  H   !  f   "  i   y"     "  H   #  1   $  7   @$  &   x$  I   $  e   $     O%  }   %  3   W&      &  .   &  J   &  (   &'  d   O'  _   '  y   (  '   (  %   (  B   (  A   )  !   a)     )  I   )  (   )  %   *  +   .*  5   Z*     *  G   *  H   *  -   @+  0   n+     +     +  H   ,     ,     -  M   .  P   ^.  8   .  @   .  -   )/  =   W/  B   /         5       *   S      A      @   (      #   C              L         J   %   0                          '   H   Q      2       F           
       !                  $   &               <            1   4   
                  9       	   :   )           ,   M       K   .   -   /   D   N   ;      ?               G   B   R   >           +   "   I                  E   8          6   3      7          P   O          =    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-20 22:27+0000
Last-Translator: Litty <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: ko
 %s: ASSERT: 잘못된 옵션: - %d
 %s: 서브도메인베이스 마운트 포인트에 대해 메모리를 할당할 수 없습니다.
 %s: 후처리 도중 오류가 발견되었습니다. 중단 중입니다.
 %s: 후처리 도중 오류가 발견되었습니다. 중단 중입니다.
 %s: 정규식 후처리 시 오류가 발생했습니다. 프로세스를 중단합니다.
 %s: 규칙 후처리를 결합하는 중에 오류가 발생했습니다. 프로세스를 중단합니다.
 %s: 파일에 오류가 발견되어 중단합니다.
 %s: 여는 괄호 {가 잘못되었습니다. 중첩 그룹은 허용되지 않습니다.
 %s: 내부 버퍼 오버플로 탐지, %d자가 초과되었습니다.
 %s: 정규식 그룹화 오류: 닫는 괄호 }에 해당하는 여는 괄호 {가 없습니다.
 %s: 정규식 그룹화 오류: {} 사이의 항목 수가 잘못됨
 %s: 정규식 그룹화 오류: 닫히지 않은 그룹화 또는 문자 클래스가 있습니다. 닫는 괄호 }가 필요합니다.
 %s: 이 프로그램을 실행하려면 루트 권한이 필요합니다.

 %s: "%s"을(를) 추가할 수 없습니다.   %s: 입력 행 '%s'의 구문을 분석할 수 없습니다.
 %s: "%s"을(를) 제거할 수 없습니다.   %s: "%s"을(를) 바꿀 수 없습니다.   %s: 전체 프로파일 항목에 쓸 수 없습니다.
 %s: stdout에 쓸 수 없습니다.
 %s: 경고! 이 프로그램을 setuid 루트로 설정했습니다.
따라서 이 프로그램을 실행할 수 있는 모든 사용자가 AppArmor 프로파일을 업데이트할 수 있습니다.

 (network_mode) 잘못된 문자가 있음: '%s' "%s"에 성공적으로 추가했습니다.
 AppArmor 구문 분석 오류: %s
 어설션: 'hat rule'이 NULL을 반환했습니다. 평가: 'local_profile rule'이 NULL을 반환했습니다. 어설션: `change_profile'이 NULL을 반환했습니다. 어설션: `network_rule'이 잘못된 프로토콜을 반환합니다. 어설션: `rule'이 NULL을 반환했습니다. 쓰기 위치가 잘못되었습니다.
 'a' 및 'w' 사용권한을 동시에 설정할 수 없습니다. 프로필을 복사할 수 없습니다: 잘못된 메모리 주소
 항목을 병합할 수 없습니다. 메모리가 부족합니다.
 프로파일에 대한 hat 액세스 규칙 추가 중 오류 %s
 %s 프로파일의 변수를 확장하는 중에 오류가 발생하여 로드하지 못했습니다.
 프로파일 %s에 오류가 발생하여 로드하지 못했습니다.
 %s 프로파일의 규칙을 병합하는 중에 오류가 발생하여 로드하지 못했습니다.
 %s 프로파일의 정규식을 처리하는 중에 오류가 발생하여 로드하지 못했습니다.
 오류: %s 프로파일은 이 커널로 사용할 수 없는 정책을 포함합니다:
	'*', '?', 문자 범위 및 변경은 허용되지 않습니다.
	'**'는 규칙의 마지막 부분에만 사용할 수 있습니다.
 오류: %s 디렉토리를 검색 경로에 추가할 수 없습니다.
 오류: 메모리를 할당할 수 없습니다.
 오류: 프로파일 %s을(를) 읽을 수 없음: %s.
 오류: 메모리가 부족합니다.
 오류: basedir %s은(는) 디렉토리가 아니므로 건너뜁니다.
 실행 수식자 '%c%c'이(가) 잘못되었습니다. 이미 지정된 수식자와 충돌합니다. 실행 한정자 '%c'은(는) 충돌을 일으키므로 사용할 수 없습니다. 같은 한정자가 이미 지정되어 있습니다. 실행 한정자 'i'는 충돌을 일으켜 사용할 수 없습니다. 같은 한정자가 이미 지정되어 있습니다. 별칭 %s을(를) 만들지 못했습니다. -> %s
 잘못된 문자가 있음: '%s' 내부 오류 발생. 잘못된 권한 0x%llx
 내부 오류: 잘못된 모드 문자 '%c'이(가) 입력되었습니다. 성능 %s이(가) 잘못되었습니다. 잘못된 모드. 'x' 앞에 실행 수식자 'i', 'p', 'c' 또는 'u'가 선행되어야 합니다. 잘못된 모드입니다. 'x'는 실행 한정자 'i', 'p' 또는 'u' 뒤에 와야 합니다. 잘못된 모드. 거부 규칙에서 'x' 앞에 실행 수식자 'i', 'p' 또는 'u'가 선행되어서는 안됩니다. 잘못된 네트워크 항목입니다. 잘못된 프로파일 플래그: %s. 메모리 할당 오류: %s:%s을(를) 제거할 수 없습니다. 메모리 할당 오류: ^%s을(를) 제거할 수 없습니다.
 메모리 할당 오류입니다. 메모리 부족
 PANIC 잘못된 증분 버퍼 %p 위치 %p 확장 %p 크기 %d 결과 %p
 사용 권한이 거부되었습니다.
 프로파일이 이미 있습니다.
 프로필과 서명이 일치하지 않음
 프로파일이 프로토콜과 맞지 않습니다.
 프로파일이 없습니다.
 'debug' 프로파일 플래그가 더 이상 유효하지 않습니다. 프로파일 버전이 Apparmor 모듈에서 지원되지 않습니다.
 "%s"의 제거 작업이 성공했습니다.
 "%s"의 바꾸기 작업이 성공했습니다.
 %s을(를) 열 수 없음 - %s
 제한되지 않은 실행 한정자(%c%c)를 사용하면 위험한 환경 변수가 제한되지 않은 프로세스로 전달될 수 있습니다. 자세한 내용은 'man 5 apparmor.d'를 참조하십시오.
 if 식에 사용된 부울 변수 %s의 설정이 해제되었습니다. 대문자 한정자 "RWLIMX"는 더 이상 사용되지 않습니다. 소문자로 변경하십시오.
자세한 내용은 apparmor.d(5) 맨페이지를 참조하십시오.
 경고: %s에 적합한 fs가 없습니다. 마운트되어 있습니까?
--subdomainfs를 사용하여 무시할 수 있습니다.
 다음을 사용하는 파일 규칙에서 링크 및 실행 권한 충돌 -> 링크 권한이 명명된 프로파일 전환에서 허용되지 않습니다.
 행의 끝 문자가 누락되었습니까? (항목: %s) 하위 집합은 링크 규칙에만 사용할 수 있습니다. 작업 영역을 생성할 수 없습니다.
 프로파일 %s을(를) 일련번호화할 수 없습니다.
 실행 권한이 누락되어 규칙이 안전하지 않습니다.                                                   $      ,       8   y  9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:25+0000
Last-Translator: i18n@suse.de
Language-Team: Lao <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: lo
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           %         0  $   1  :   V       $                       *  &   >  $   e  2     "     &                   ?     X     g     z  !          1              &     X        '  9   G  !          !          2     &   0  <   W  )     0          $   
	     2	     O	     d	     |	     	     	  -   	     	                
                                             	                                 
                                 %s: Errors found in file. Aborting.
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write to stdout
 Bad write position
 Couldn't merge entries. Out of Memory
 ERROR in profile %s, failed to load
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Found unexpected character: '%s' Memory allocation error. Out of memory
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't exist
 Profile version not supported by Apparmor module
 Unable to open %s - %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 03:03+0000
Last-Translator: Andrius Štikonas <Unknown>
Language-Team: Lietuvių <komp_lt@konf.lt>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: lt
 %s: Faile rasta klaidų. Nutraukiama.
 %s: Apgailestaujame. Kad paleistumėte šią programą, jums reikia root privilegijų.

 %s: Nepavyksta pridėti "%s".   %s: nepavyksta išnagrinėti įvesties eilutės „%s“
 %s: Nepavyksta pašalinti "%s".   %s: Nepavyksta pakeisti "%s".   %s: Nepavyksta rašyti į stdout
 Bloga rašymo pozicija
 Nepavyksta apjungti įrašų. Nepakanka atminties
 KLAIDA profilyje %s, nepavyko įkelti
 Klaida: nepavyksta pridėti aplanko %s į paieškos kelią.
 Klaida: nepavyksta paskirstyti atminies.
 Klaida: nepavyksta nuskaityti profilio %s: %s.
 Klaida: nepakanka atminties.
 Rastas netikėtas simbolis: „%s“ Atminties išskyrimo klaida. Nepakanka atminties
 Priėjimas uždraustas
 Profilis jau egzistuoja
 Profilis neatitinka parašo
 Profilis neegzistuoja
 Apparmor modulis nepalaiko profilio versijos
 Nepavyksta atverti %s - %s
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:27+0000
Last-Translator: Зоран Димовски <zoki.dimovski@gmail.com>
Language-Team: Macedonian <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: mk
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  %      D  5   l      @     A  <   a  >     $     2     >   5  G   t  =          $        9     V  )   t            !               &   /  $   V  C   {                  ;        D     W  !   o  $                          -   #     Q     m      0   &
     W
     
  c                  A
     
  +     V     :     *   ?  r   j  4     5     @   H  6     ?     }      ^   ~       >     C     #     d   /  ,     O     U     [   g  E     W   	  2   a  (     e     \   #  \                                            "                 $   #      
           
                                     %   !                                     	                        %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 Addition succeeded for "%s".
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Couldn't merge entries. Out of Memory
 ERROR in profile %s, failed to load
 Exec qualifier 'i' invalid, conflicting qualifier already specified Found unexpected character: '%s' Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 02:17+0000
Last-Translator: Priyavert <Unknown>
Language-Team: AgreeYa Solutions <linux_team@agreeya.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: mr
 %s: ASSERT: अवैध पर्याय: %d
 %s: सबडोमेन माऊंट पॉईंटसाठी स्मृती वाटून देता आली नाही
 %s: नियमांचे पोस्ट प्रोसेसिंग एकत्र करण्यात चूक आढळली. सोडून देत आहे.
 %s: फाईलमधे चुका आढळल्या. सोडून देत आहे.
 %s: {, बेकायदेशीररित्या उघडला, नेस्टींग समुह करण्यास अनुमती नाही
 %s: अंतर्गत बफर भरुन वाहू लागल्याचे आढळले, %d पार्से करणे अशक्य
 %s: Regex समुह करण्यात चूक: अवैधपणे }, बंद, कोणताही जुळणारा{ आढळला नाही
 %s: Regex समुह करण्यात चूक: अवैधपणे {} दरम्यान अनेक अवैध आयटेम्स.
 %s: "%s" घालणे अशक्य.   %s: इनपुट लाईन '%s' पार्से करणे अशक्य
 %s: "%s"काढून टाकणे अशक्य.   %s: "%s"बदलणे अशक्य.   %s: संपूर्ण प्रोफाइल प्रविष्टी लिहिणे अशक्य
 %s: stdoutला लिहिणे अशक्य
 "%s"साठी अडिशन यशस्वी.
 असर्ट: 'हेट रुल' NULL परत आला. असर्ट: `रुल' NULL परत आला. लिहिण्याची वाईट स्थिती
 प्रविष्टी विलीन करता आल्या नाहीत. स्मृती संपली
 प्रोफाईल %s मधे चुक, लोड करण्यात अपयश
 Exec क्वालिफायर 'i' अवैध, विवादास्पद क्वालिफायर आधीच नमूद केलेला आहे अनपेक्षित वर्ण: '%s' आढळला स्मृती वाटून देण्यात चूक. स्मृती संपली
 PANIC बॅड इन्क्रिमेंट बफर %p pos %p ext %p साईझ %d res %p
 परवानगी नाकारली
 प्रोफाईल आधीच अस्तित्वात आहे
 प्रोफाईल स्वाक्षरीशी जुळत नाही
 प्रोफाइल प्रोटोकॉलशी सुसंगत नाही
 प्रोफाईल अस्तित्वात नाही
 "%s"काढून टाकण्याची क्रिया यशस्वी.
 "%s"साठी बदली यशस्वी.
 %s - %s उघडणे अशक्य
 ओळीच्या अखेरचा वर्ण गायब? (प्रविष्टी: %s) कामाचे क्षेत्र निर्माण करणे अशक्य
 प्रोफाईल %s ची क्रमवारी लावणे अशक्य
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   	           	  <   )  0   f  3     6     >   
  $   A
  2   f
  >   
  7   
  /     9   @  G   z  G     =   
  R   H  :          $             2     P  )   h  2     #          w     /          0     '        '  !   B  +   d  '     /                     "   ;  !   ^  !     2               0     *   6  &   a  ,     9     $     3     ?   H  7          7   t  2     "     ;     3   >  &   r       0     F     D   (  C   m             %         
  .   .  0   ]  -     4     6     1   (     Z  J   q  E     W        Z     q  0     .          
          ;   !     ]  ?   p       )     !     $        9  (   P  F   y  :     >     <   :  M   w  1                   5     M            /      u   A   3      !      [   
!     i!  *   x!     !     !     !  "   !  4   "  :   H"  -   "  .   "     "  *   "  $   #  %   D#     j#  ,   #  &   #  '   #  (   #  (   ($  &   Q$  &   x$  <   $     $  (   $     %     6%  *   V%  $   %  |  %  "   #'  A   F'  6   '  ;   '  E   '  S   A(  /   (  G   (  :   
)  6   H)  ,   )  F   )  Q   )  `   E*  J   *  j   *  D   \+     +  '   +     +     ,     $,  1   >,  :   p,  %   ,      ,     ,  .   |-     -  8   -  1   .     6.  !   T.  +   v.  '   .  4   .     .     /  "   3/  )   V/  &   /  *   /  9   /     0      "0  4   C0  /   x0  1   0  5   0  B   1  '   S1  <   {1  C   1  @   1     =2  :   2  >   53  %   t3  >   3  6   3  '   4     84  1   S4  D   4  B   4  A   
5     O5     k5  &   5     5  -   5  6   5  ,   -6  6   Z6  8   6  3   6     6  M   7  H   d7  i   7     8     48  2   R8  0   8     8     8     8  =   8     39  ?   G9     9  /   9  (   9  %   9     :  ,   .:  K   [:  ?   :  C   :  A   +;  \   m;  0   ;     ;     <     :<     T<     <     =  A   8=     z=  3   =  !   0>  h   R>     >  2   >     ?     !?     7?     S?  @   s?  =   ?  -   ?  /    @     P@  8   f@  3   @  4   @     A  8   (A  3   aA  4   A  5   A  6    B  3   7B  4   kB  N   B     B  5   C      :C      [C  2   |C  0   C     M          W   Z           8   K   s           
          7   o   |          =       
   {      6   q       k   P       u   ;          w                                #   U         )          $   0       ?   	   "       :       >   <   1      b   E                         ]   ~      _   S      i       %   \   a                 !   N           G   D                     &   I           @   (       r   *   [       V   ,         X                   -       d      j   e   O             J   A   n      Q   '   L      .   +      z   t   ^      5      l   R   g   4          }   B   c      3   v         f      `       m   Y       T   y   9   x              C      p         h      /                       H   2   F    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Invalid profile name '%s' - bad regular expression
 %s: Regex error: trailing '\' escape character
 %s: Regex grouping error: Exceeded maximum nesting of {}
 %s: Regex grouping error: Invalid close ], no matching open [ detected
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write %s
 %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error for %s%s%s at line %d: %s
 AppArmor parser error,%s%s line %d: %s
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Cached load succeeded for "%s".
 Cached reload succeeded for "%s".
 Can't create cache directory: %s
 Can't update cache directory: %s
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Could not process include directory '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing policydb rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 ERROR replacing aliases for profile %s, failed to load
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read binary profile or cache file %s: %s.
 Error: Could not read cache file '%s', skipping...
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Feature buffer full. File in cache directory location: %s
 Found unexpected character: '%s' Internal error generated invalid %s perm 0x%x
 Internal error generated invalid DBus perm 0x%x
 Internal error generated invalid perm 0x%llx
 Internal: unexpected %s mode character '%c' in input Internal: unexpected DBus mode character '%c' in input Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile flag attach_disconnected conflicts with no_attach_disconnected Profile flag chroot_attach conflicts with chroot_no_attach Profile flag chroot_relative conflicts with namespace_relative Profile flag mediate_deleted conflicts with delegate_deleted Profile names must begin with a '/', namespace or keyword 'profile' or 'hat'. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Variable declarations do not accept trailing commas Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 bad mount rule dbus rule: invalid conditional group %s=() deny prefix not allowed fstat failed for '%s' invalid mount conditional %s%s invalid pivotroot conditional '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) mount point conditions not currently supported opendir failed '%s' owner prefix not allow on capability rules owner prefix not allow on dbus rules owner prefix not allow on mount rules owner prefix not allowed owner prefix not allowed on capability rules owner prefix not allowed on dbus rules owner prefix not allowed on mount rules owner prefix not allowed on ptrace rules owner prefix not allowed on signal rules owner prefix not allowed on unix rules profile %s network rules not enforced
 profile %s: has merged rule %s with conflicting x modifiers
 stat failed for '%s' subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unix rule: invalid conditional group %s=() unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2014-09-21 05:21+0000
Last-Translator: abuyop <Unknown>
Language-Team: Malay <ms@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: ms
 %s: ASSERT: Pilihan tidak sah: %d
 %s: Tidak dapat peruntuk ingatan untuk titik lekap subdomainbase
 %s: Ralat ditemui semasa pos-proses. Menghenti paksa.
 %s: Ralat ditemui semasa pos-pemprosesan. Menghenti paksa.
 %s: Ralat ditemui semasa pos-proses ungkapan nalar. Menghenti paksa.
 %s: Ralat ditemui semasa menggabungkan pos-pemprosesan peraturan. Menghenti paksa.
 %s: Ralat ditemui dalam fail. Menghenti paksa.
 %s: Pembuka { tidak dibolehkan, pengumpulan bersarang tidak dibenarkan
 %s: Penimbal dalaman melimpah dikesan, %d aksara terlebih
 %s: Nama profil '%s' tidak sah - ungkapan nalar teruk
 %s: Ralat ungkapan nalar: aksara '\' escape
 %s: ralat pengumpulan ungkapan nalar: Penyarangan maksimum {} dicapai
 %s: ralat pengumpulan ungkapan nalar: simbol ] tidak sah, tiada simbol [ dikesan
 %s: Ralat pengumpulan ungkapan nalar: Penutup } tidak sah, tiada pembuka { yang sepadan dikesan
 %s: Ralat pengumpulan ungkapan nalar: Bilangan item tidak sah diantara {}
 %s: Ralat pengumpulan ungkapan nalar: Pengumpulan atau kelas aksara tidak ditutup, menjangkakan penutup }
 %s: Maaf. Anda perlukan kelayakan root untuk jalankan program ini.

 %s: Tidak boleh tambah "%s".   %s: Tidak boleh hurai baris input '%s'
 %s: Tidak boleh buang "%s".   %s: Tidak boleh ganti "%s".   %s: Tidak boleh tulis %s
 %s: Tidak boleh tulis keseluruhan masukan profil
 %s: Tidak boleh tulis keseluruhan masukan profil ke cache
 %s: Tidak boleh tulis ke fail output
 %s: Tidak boleh tulis ke stdout
 %s: Amaran! Anda telah tetapkan root setuid program ini.
Sesiapa sahaja boleh jalankan program ini boleh kemaskin profil AppArmor anda.

 (network_mode) Temui aksara tidak jangka: '%s' Penambahan berjaya untuk "%s".
 Ralat penghurai AppArmor untuk %s%s%s pada baris %d: %s
 Ralat penghurai AppArmor, %s%s pada baris %d: %s
 Ralat penghurai AppArmor: %s
 Terap: 'hat rule' kembalikan NOL. Terap: 'local_profile rule' kembalikan NOL. Terap: 'change_profile' kembalikan NOL. Terap: 'network_rule' kembalikan protokol tidak sah. Terap:'rule' kembalikan NOL. Kedudukan tulis teruk
 Berjaya muatkan cache untuk "%s".
 Berjaya muatkan semula cache untuk "%s".
 Tidak dapat cipta direktori cache: %s
 Tidak dapat kemaskini direktori cache: %s
 Konflik kekal 'a' dan 'w' adalah ekslusif secara bersama. Tidak dapat buka '%s' Tidak dapat buka '%s' dalam '%s' Tidak dapat proses direktori include '%s' dalam '%s' Tidak dapat salin profil. Alamat ingatan teruk
 Tidak dapat gabungkan masukan. Kehabisan Ingatan
 RALAT menambah peraturan capaian hat untuk profil %s
 RALAT mengembangkan pembolehubah untuk profil %s, gagal dimuatkan
 RALAT dalam profil %s, gagal dimuatkan
 RALAT menggabung peraturan untuk profil %s, gagal dimuatkan
 RALAT memproses peraturan policydb bagi profil %s, gagal dimuatkan
 RALAT memproses ungkapan nalar untuk profil %s, gagal dimuatkan
 RALAT profil %s mengandungi unsur polisi yang tidak boleh diguna oleh kernel ini:
	julat aksara '*', '?', dan penyelangan tidak dibenarkan.
	'**' hanya boleh digunakan dihujung peraturan.
 RALAT menggantikan alias untuk profil %s, gagal dimuatkan
 Ralat: Tidak dapat tambah direktori %s untuk gelintar laluan.
 Ralat: Tidak dapat peruntuk ingatan.
 Ralat: Tidak dapat baca profil binari atau fail cache %s: %s.
 Ralat: Tidak dapat baca fail cache '%s', melangkau...
 Ralat: Tidak dapat baca profil %s: %s.
 Ralat: Kehabisan ingatan.
 Ralat: basedir %s bukanlah direktori, melangkau.
 Penerang exec '%c%c' tidak sah, penerang berkonflik sudah dinyatakan Penerang exec '%c' tidak sah, penerang berkonflik sudah dinyatakan Penerang exec 'i' tidak sah, penerang berkonflik sudah dinyatakan Gagal cipta alias %s -> %s
 Penimbal fitur penuh. Fail dalam lokasi direktori cache: %s
 Temui aksara tidak jangka: '%s' Ralat dalaman terjana %s tidak sah perm 0x%x
 Ralat dalaman dijana menjana DBus perm 0x%x tidak sah
 Ralat dalaman menjana perm 0x%llx tidak sah
 Dalaman: mod %s aksara '%c' tidak dijangka dalam input Dalaman: aksara mod DBus '%c' tidak dijangka dalam input Dalaman: Mod aksara '%c' tidak dijangka dalam input Keupayaan %s tidak sah. Mod tidak sah, 'x' mesti didahului oleh penerang exec 'i', 'p', 'c', atau 'u' Mod tidak sah, 'x' mesti didahului oleh penerang exec 'i', 'p', atau 'u' Mod tidak sah, semasa menafikan peraturan 'x' tidak boleh didahului oleh penerang exec 'i', 'p', atau 'u' Masukan rangkaian tidak sah. Bendera profil tidak sah: %s. Ralat Peruntukan Ingatan: Tidak boleh buang %s:%s. Ralat Peruntukan Ingatan: Tidak boleh buang ^%s
 Ralat peruntukan ingatan. Kehabisan ingatan Kehabisan ingatan
 penimbal tokokan teruk PANIC %p pos %p ext %p saiz %d res %p
 Keizinan dinafikan
 Keizinan dinafikan; cuba untuk muatkan profil semasa dikurung?
 Profil sudah wujud
 Lampiran profil mesti bermula dengan tanda '/'. Profil tidak sepadan dengan tandatangan
 Profil tidak menyebentuk ke protokol
 Profil tidak wujud
 Bendera profil 'nyahpepijat' tidak lagi sah. Bendera profil attach_disconnected berkonflik dengan no_attach_disconnected Bendera profil chroot_attach berkonflik dengan chroot_no_attach Bendera profil chroot_relative berkonflik dengan namespace_relative Bendera profil mediate_deleted berkonflik dengan delegate_deleted Nama profil mesti bermula dengan tanda '/', ruang nama atau kata kunci 'profile' atau 'hat'. Versi profil tidak disokong oleh modul Apparmor
 Pembuangan berjaya bagi "%s".
 Penggantian berjaya bagi "%s".
 Tidak boleh buka %s - %s
 Penerang exec tidak terkurung (%c%c) membolehkan beberapa pembolehubah persekitaran merbahaya melepasi ke proses tidak terkurung; 'man 5 apparmor.d' untuk perincian.
 Ralat tidak diketahui (%d): %s
 Jenis corak tidak diketahui
 Pembolehubah boolean %s tidak ditetap digunakan dalam ungkapan-if Penerang huruf besar "RWLIMX" sudah lapok, sila tukar ia kepada huruf kecil
Lihat halaman panduan apparmor.d(5) untuk perincian.
 Deklarasi pembolehubah tidak menerima koma bertitik Amaran dari %s (%s%sbaris %d): %s Amaran: tidak boleh cari fs yang sesuai dalam %s, adakah ia dilekap?
Guna --subdomainfs untuk batalkan.
 peraturan lekap teruk peraturan dbus: kumpulan bersyarat %s=() tidak sah nafi awalan tidak dibenarkan fstat gagal bagi '%s' syarat lekap %s%s tidak sah syarat pivotroot '%s' tidak sah konflik kekal pautan dan exec pada peraturan fail menggunakan -> perms pautan tidak dibenarkan pada peralihan profil bernama.
 hilang penghujung baris aksara? (masukan: %s) syarat titik lekap buat masa ini tidak disokong opendir gagalkan '%s' awalan pemilik tidak dibenarkan pada peraturan keupayaan awalan pemilik tidak dibenarkan pada peraturan dbus awalan pemilik tidak dibenarkan pada peraturan lekap awalan pemilik tidak dibenarkan awalan pemilik tidak dibenarkan pada peraturan keupayaan awalan pemilik tidak dibenarkan pada peraturan dbus awalan pemilik tidak dibenarkan pada peraturan lekap awalan pemilik tidak dibenarkan pada peraturan ptrace awalan pemilik tidak dibenarkan pada peraturan isyarat awalan pemilik tidak dibenarkan pada peraturan unix peraturan rangkaian profil %s tidak dikuat kuasakan
 profil %s: mempunyai peraturan tergabung %s dengan penerang x yang berkonflik
 stat gagal bagi '%s' subset hanya boleh digunakan dengan peraturan pautan. tidak boleh cipta kawasan kerja
 tidak boleh serialkan profil %s
 peraturan unix: kumpulan bersyarat %s=() tidak sah peraturan tidak selamat kehilangan keizinan exec                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     R        m   <             <     0   N  3     6     >     $   )  2   N  >     G     =   	  R   F	  :   	     	  $   	     
     0
  )   N
     x
  w   
  /        ?     ]  !   x  +     '     /             <  2   P  &     ,     9     $   
  3   6
  7   j
     
  2   V  "     &          0     F     D   b  C                 -   -  1   [       J     E     W   5            0     .             7  ;   F            !     $          (     1   4     f                  /   R  u     [     4   T  :     -     (             7  $   W    |        B     1   a  1     :     G      #   H  :   l  :     I     E   ,  S   r  5          *        F     b  +               '   \             #     (     )     '   0     X     x  ;     /     9     B   8  #   {  @     @        !  /            $   -      R   2   i   E      B      ^   %!  %   !     !  /   !  *   !     "  A   2"  A   t"  \   "     #     0#  ,   H#  *   u#     #     #  >   #     $     $  '   6$  (   ^$     $  $   $  2   $     $     %     %     5%  /   %  r   %  b   a&  D   &  D   	'  .   N'     }'  !   '  #   '  #   '     J   !      	   :              A   (              =   F       -      9                  7          D   3   $      P       L   <          
       0       6      H   K   1   >   2                             8          E           ?   Q             G      *   B       &   @   R                              C   I   "   )   M       5      O            %      #   /   +      ,      4   '       .   
   N   ;    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 03:17+0000
Last-Translator: Olav Pettershagen <Unknown>
Language-Team: norsk bokmål
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: nb
 %s: ASSERT: Ugyldig valg: %d
 %s: Kunne ikke tilordne minne for subdomenebasens monteringspunkt
 %s: Feil funnet under etterbehandling. Avbryter.
 %s: Feil funnet under etterbehandling. Avbryter.
 %s: Feil funnet under etterbehandling av regex. Avbryter.
 %s: Feil funnet under etterbehandling av kombinasjonsregler. Avbryter.
 %s: Feil funnet i filen. Avbryter.
 %s: Åpen { ikke tillatt, nesting-gruppering ikke tillatt
 %s: Intern bufferlekkasje registrert, %d tegn overskredet
 %s: Regex-grupperingsfeil: Ugyldig avsluttende }, ingen initial { funnet
 %s: Regex-grupperingsfeil: Ugyldig antall oppføringer mellom { og }
 %s: Regex-grupperingsfeil: Åpen grupperings- eller tegnklasse, lukket forventet }
 %s: Beklager. Dette programmet må kjøres som rot.

 %s: Kan ikke legge til "%s".   %s: Kan ikke analysere kommandolinje '%s'
 %s: Kan ikke slette "%s".   %s: Kan ikke erstatte "%s".   %s: Kan ikke lagre hele profiloppføringen
 %s: Kan ikke skrive til stdout
 %s: Advarsel! Du har definert 'setuid root' for dette programmet.
Alle som kan kjøre dette programmet, kan oppdatere dine AppArmor-profiler.

 (nettwork_mode) Fant uventet tegn: '%s' Lagt til for "%s".
 Feil under AppArmor-analyse: %s
 Assert: 'hat rule' returnerte NULL. Assert: 'local_profile' returnerte NULL. Assert: 'change_profile' returnerte NULL. Assert: 'network_rule' returnerte NULL. Assert: 'rule' returnerte NULL. Ugyldig lagringsposisjon
 Conflikt 'a'- and 'w'-tillatelser kan ikke brukes samtidig. Kan ikke samordne oppføringer. For lite minne
 FEIL ved oppretting av hat-tilgangsregel for profilen %s
 FEIL under utvidelse av variabler for profil %s, kunne ikke laste
 FEIL i profil %s, kunne ikke laste
 FEIL under aktivering av regler for profil %s, kunne ikke laste
 FEIL under behandling av regexs for profil %s, kunne ikke laste
 FEIL Profilen %s inneholder strategielementer som ikke kan brukes med denne kjernen:
	'*', '?', og alternerende elementer er ikke tillatt.
	'**' kan bare brukes på slutten av en regel.
 Feil: Kan ikke legge katalogen %s til søkesti
 Feil: Kunne ikke tilordne minne
 Feil: Kunne ikke lese profil %s:%s.
 Feil: For lite minne.
 Feil: basedir %s er ikke en katalog, hopper over.
 Kjørevalget '%c%c' er ugyldig. Et annet valg er allerede spesifisert Exec-valget '%c' er ugyldig. Et annen valg er allerede spesifisert Exec-valget 'i' er ugyldig. Et annen valg som er i konflikt med dette, er allerede spesifisert Kunne ikke opprette aliaset %s -> %s
 Fant uventet tegn: '%s' Intern feil genererte ugyldig rettighet 0x%llx
 Intern feil: Uventet modustegn '%c' angitt Ugyldig egenskap %s. Ugyldig modus, 'x' må komme etter kjørevalgt 'i', 'p' eller 'u' Ugyldig modus. 'x' må komme etter exec-valget 'i', 'p' eller 'u' Ugyldig modus, i avvisingsregler må ikke kjørevalgene           eller     komme foran 'x'. Ugyldig nettverksoppføring. Ugyldig profilvalg: %s. Minnetilordningsfeil: Kan ikke fjerne %s:%s. Minnetilordningsfeil: Kan ikke fjerne ^%s
 Minnetilordningsfeil. For lite minne
 PANIC ugyldig inkrementbuffer %p pos %p ext %p size %d res %p
 Manglende rettigheter
 Profilen finnes allerede
 Profilen samsvarer ikke med signaturen
 Profilen samsvarer ikke med protokollen
 Profilen finnes ikke
 valget         er ikke lenger gyldig Profilversjonen støttes ikke av Apparmor-modulen
 Slettet for "%s".
 Erstattet for "%s".
 Kan ikke åpne %s - %s
 Et ubegrenset exec-argument (%c%c) kan medføre at farlige miljøvariabler sendes til den ubegrensede prosessen. Se 'man 5 apparmor.d'.
 Udefinert boolsk variabel %s brukt i if-uttrykk Valg med store bokstaver "RWLIMX" brukes ikke lenger. Konverter til små bokstaver.
Se manualsiden apparmor.d(5).
 Advarsel: Kunne ikke finne en egnet fs i %s, er den montert?
Bruk --subdomainfs for å overstyre.
 Lenke- og kjørerettigheter er i konflikt med en regelfil som bruker Lenkerettigheter er ikke tillatt for en navngitt profiloverføring.
 tegn for linjelslutt mangler? (oppføring: %s) kan bare brukes med lenkeregler Kan ikke opprette arbeidsområde
 kan ikke serietilordne profilen %s
 usikker regel uten exec-tillatelser                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              R        m   <             <     0   N  3     6     >     $   )  2   N  >     G     =   	  R   F	  :   	     	  $   	     
     0
  )   N
     x
  w   
  /        ?     ]  !   x  +     '     /             <  2   P  &     ,     9     $   
  3   6
  7   j
     
  2   V  "     &          0     F     D   b  C                 -   -  1   [       J     E     W   5            0     .             7  ;   F            !     $          (     1   4     f                  /   R  u     [     4   T  :     -     (             7  $   W    |  "     G   9  4     7     C     G   2  *   z  @     2     J     /   d  u     N   
  *   Y  -     +     )     2     .   ;     j  .        @     `  $   }  )     4     ?         A     b  5   {  1     ;     ?     "   _  D     P           3          !  %   4!     Z!  4   n!  T   !  O   !  F   H"  !   "     "  3   "  ,   #     2#  U   H#  Q   #  `   #     Q$     g$  5   $  3   $     $  
   %  I   %     `%     s%  /   %  4   %     %  *   &  =   -&      k&     &     &     &  F   x'     '  y   N(  J   (  Y   )  +   m)  1   )     )     )  -   *     J   !      	   :              A   (              =   F       -      9                  7          D   3   $      P       L   <          
       0       6      H   K   1   >   2                             8          E           ?   Q             G      *   B       &   @   R                              C   I   "   )   M       5      O            %      #   /   +      ,      4   '       .   
   N   ;    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 03:24+0000
Last-Translator: Novell Language <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: nl
 %s: BEWERING: Ongeldige optie: %d
 %s: Kon geen geheugen reserveren voor het subdomeinbasis aankoppelpunt
 %s: fouten gevonden tijdens de naverwerking. Stopt.
 %s: fouten gevonden tijdens het naverwerken. Afbreken.
 %s: Fouten gevonden tijdens de nabewerking van regex regels. Stop.
 %s: Fouten gevonden in het combineren van de nabewerkingsregels. Stop.
 %s: Fouten gevonden in het bestand. Stop.
 %s: Ongeldige open {, het nesten van groepen is niet toegestaan
 %s: Interne buffer overschreden, %d tekens teveel
 %s: Regex groepfout: Ongeldige close }, geen bijbehorende open { gevonden
 %s: Regex groepfout: Ongeldig aantal tussen {}
 %s: Fout bij groeperen reguliere expressies: ongesloten groepen of tekencategorie, terwijl sluiting wordt verwacht }
 %s: U hebt privileges voor de root nodig als u dit programma wilt uitvoeren.

 %s: Niet in staat om "%s" toe te voegen.   %s: Niet in staat om regel '%s' te verwerken
 %s: Niet in staat om "%s" te verwijderen.   %s: Niet in staat om "%s" te vervangen.   %s: Het gehele profiel kon niet opgeslagen worden
 %s: Niet in staat om naar stdout te schrijven
 %s: Waarschuwing! U hebt dit programma systeembeheerrechten gegeven (setuid root).
Iederen die dit programma kan uitvoeren, kan ook uw AppArmor-profielen bijwerken.

 (network_mode) Onverwacht teken gevonden: '%s' Toevoeging geslaagd voor "%s".
 Fout in AppArmor-parser: %s
 Bewering: `hat rule' gaf NULL terug. Bewering: `local_profile' gaf NULL terug. Bewering: 'change_profile' heeft NULL geretourneerd. Bewering: 'network_rule' heeft ongeldig protocol geretourneerd. Bewering: `rule' gaf NULL terug. Foutieve schrijfpositie
 Conflict: combinaties met 'a' en 'w' gaan niet samen. Kan items niet samenvoegen. Onvoldoende geheugen
 FOUT bij toevoegen van de hat-toegangregel voor profiel %s
 FOUT bij variabelen uitbreiden voor profiel %s. Kan niet laden
 FOUT in profiel %s, laden mislukt
 FOUT bij het samenvoegen van regels voor profiel %s. Kan niet laden
 FOUT bij het verwerken van reguliere expressies voor profiel %s. Kan niet laden
 FOUT profiel %s bevat beleidselementen die niet kunnen worden gebruikt met deze kernel:
	'*', '?', tekenbereiken en alternaties zijn niet toegestaan.
	'**' mag alleen worden gebruikt aan het eind van een regel.
 Fout: kan directory %s niet toevoegen aan zoekpad.
 Fout: Geheugen vol
 Fout: kan profiel %s niet lezen: %s.
 Fout: Geheugen vol
 Fout: basedir %s is geen map en wordt overgeslagen.
 Exec-bepaling '%c%c' ongeldig; een bepaling, waar deze mee botst, is reeds opgegeven Exec-bepaling '%c' is ongeldig. Er is al een conflicterende bepaling opgegeven. Exec bepaling 'i' ongeldig, conflicterende bepaling is reeds opgegeven Kan alias %s -> %s niet aanmaken
 Onverwacht teken gevonden: '%s' Interne fout genereerde ongeldige permissie 0x%llx
 Intern: onverwacht modusteken '%c' in invoer Ongeldige functie %s. Ongeldige modus, 'x' moet voorafgegaan worden door exec-bepaling 'i', 'c', 'u' of 'p' Ongeldige modus. 'x' moet worden voorafgegaan door exec-bepaling 'i', 'p' of 'u'. Ongeldige modus, in weigerregels moet 'x' voorafgegaan worden door exec-bepaling 'i', 'u' of 'p' Ongeldig netwerkitem. Ongeldige profielvlag %s. Geheugenreserveringsfout: kan %s:%s niet verwijderen. Geheugenreserveringsfout: kan ^%s niet verwijderen
 Fout in geheugenreservering. Geheugen vol
 PANIEK: Foutieve verhoging van de buffer %p pos %p ext %p size %d res %p
 Rechten geweigerd
 Profiel bestaat al
 Profiel komt niet overeen met de ondertekening
 Profiel is niet in overeenstemming met het protocol
 Profiel bestaat niet
 Profielvlag 'debug' is niet langer geldig. Profielversie wordt niet ondersteund door de AppArmor-module
 Verwijdering geslaagd van "%s".
 Vervanging geslaagd voor "%s".
 Kan %s - %s niet openen
 Onbegrensde exec-bepaling (%c%c) staat toe dat sommige gevaarlijke omgevingsvariabelen worden doorgegeven aan het onbegrensde proces; bekijk '5 apparmor.d' voor meer informatie.
 Niet-ingestelde booleaanse variabele %s wordt gebruikt in if-expressie Bepalingen met hoofdletters "RWLIMX" worden niet meer gebruikt. Gebruik kleine letters
Kijk op de apparmor.d(5)-manpage voor meer informatie.
 Waarschuwing: kan geen geschikt bestandssysteem vinden in %s. Is het wel gekoppeld?
Gebruik --subdomainfs om te negeren.
 Link- en exec-permissies conflicteren op een bestandsregel die -> gebruikt Link-permissies zijn niet toegestaan bij het transporteren van een profiel met een naam.
 Ontbreekt een regeleindeteken? (invoer: %s) Subset kan alleen worden gebruikt met linkregels. Kan geen werktruimte aanmaken
 Kan profiel %s niet bewerken
 onveilige regel ontbrekende exec-machtigingen                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           <                       )        0  !   N     p                                        #     ;     W    w  (   "  *   K  ,   v  9           )     $   (     M     k                      $          )   -  &   W        	                                
                                   
                          %s: Unable to add "%s".   %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 Addition succeeded for "%s".
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Could not open '%s' Error: Out of memory.
 Out of memory
 Permission denied
 Profile doesn't exist
 Removal succeeded for "%s".
 Unable to open %s - %s
 unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2016-03-10 21:29+0000
Last-Translator: Cédric VALMARY (Tot en òc) <cvalmary@yahoo.fr>
Language-Team: Occitan (post 1500) <oc@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: oc
 %s : impossible d'apondre « %s ».   %s : impossible de suprimir « %s ».   %s : impossible de remplaçar « %s ».   %s : impossible d'escriure l'entrada de perfil completa
 Apondon capitat per « %s ».
 Assert : « hat rule » a tornat NULL. Assert : « rule » a tornat NULL Marrida posicion d'escritura
 Impossible de dobrir « %s » Error : memòria insufisenta.
 Pas pro de memòria
 Autorizacion refusada
 Perfil inexistent
 Supression capitada per « %s ».
 Impossible de dobrir %s - %s
 impossible de crear una zòna de trabalh
 impossible de serializar lo perfil %s
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       *      l  ;                6     >      $   ?  >   d  R     :        1  $   K     p       )          w     /   l            &     9     $   ,  3   Q  7     2     "     &        :  0   Q                                 !   
	     /	  1   F	     x	     	  -   	     	     	    
  $             ]  y     s   w
     
       A   6  Z   x  7     4     ^   @  ?     V    A   6  '   x  '             P  _        M          b  \     _   G  8          2   c  9     9     *   
  &   5  G   \  C     3          ,     2     b     A   `  R                       &   (                                '             
       "                  %   	             #                         *   )                                             $         
   !    %s: ASSERT: Invalid option: %d
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' AppArmor parser error: %s
 Bad write position
 Couldn't merge entries. Out of Memory
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Found unexpected character: '%s' Invalid network entry. Memory allocation error. Out of memory
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't exist
 Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Unable to open %s - %s
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 03:31+0000
Last-Translator: A S Alam <alam.yellow@gmail.com>
Language-Team: Panjabi <punjabi-l10n@lists.sf.net>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: pa
 %s: ASSERT: ਗਲਤ ਚੋਣ: %d
 %s: regex ਪੋਸਟ-ਪਰੋਸੈਸ ਦੌਰਾਨ ਗਲਤੀਆਂ ਮਿਲੀਆਂ।  ਅਧੂਰਾ ਖਤਮ।
 %s:ਪੋਸਟ-ਪਰੋਸੈਸਿੰਗ ਰੂਲ ਜੋੜਨ ਦੌਰਾਨ ਗਲਤੀਆਂ ਮਿਲੀਆਂ। ਅਧੂਰਾ ਛੱਡਿਆ।
 %s: ਫਾਇਲ 'ਚ ਗਲਤੀਆਂ ਮਿਲੀਆਂ। ਵਿੱਚੇ ਛੱਡਿਆ ਜਾਂਦਾ ਹੈ।
 %s: ਅੰਦਰੂਨੀ ਬਫ਼ਰ ਓਵਰਫਲੋ ਮਿਲਿਆ, %d ਅੱਖਰ ਵੱਧ ਗਏ ਹਨ
 %s: Regex ਗਰੁੱਪਿੰਗ ਗਲਤੀ। ਨਾ-ਬੰਦ ਹੋਈ ਗਰੁੱਪਿੰਗ ਜਾਂ ਅੱਖਰ ਕਲਾਸ, ਬੰਦ } ਦੀ ਲੋੜ ਸੀ
 %s: ਅਫਸੋਸ ਤੁਹਾਨੂੰ ਇਹ ਪਰੋਗਰਾਮ ਚਲਾਉਣ ਲਈ ਰੂਟ ਅਧਿਕਾਰ ਚਾਹੀਦੇ ਹਨ।

 %s: "%s" ਸ਼ਾਮਲ ਕਰਨ ਲਈ ਅਸਮਰੱਥ।   %s: ਇੰਪੁੱਟ ਲਾਈਨ '%s' ਪਾਰਸ ਕਰਨ ਲਈ ਅਸਮਰੱਥ
 %s: "%s" ਹਟਾਉਣ ਲਈ ਅਸਮਰੱਥ।   %s: "%s" ਬਦਲਣ ਲਈ ਅਸਮਰੱਥ।   %s: ਪੂਰੀ ਪਰੋਫਾਇਲ ਐਂਟਰੀ ਲਿਖਣ ਲਈ ਅਸਮਰੱਥ
 %s: stdout ਉੱਤੇ ਲਿਖਣ ਲਈ ਅਸਮਰੱਥ
 %s: ਚੇਤਾਵਨੀ! ਤੁਸੀਂ ਇਹ ਪਰੋਗਰਾਮ ਲਈ setuid root ਸੈੱਟ ਕੀਤਾ ਹੈ।
ਕੋਈ ਵੀ, ਜੋ ਕਿ ਇਹ ਪਰੋਗਰਾਮ ਚਲਾ ਸਕਦਾ ਹੈ, ਉਹ ਤੁਹਾਡਾ ਅੱਪਆਰਮੋਰ ਪਰੋਫਾਇਲ ਅੱਪਡੇਟ ਕਰ ਸਕਦਾ ਹੈ।

 (network_mode) ਅਣਜਾਣ ਅੱਖਰ ਮਿਲਿਆ: '%s' AppArmor ਪਾਰਸ ਗਲਤੀ: %s
 ਗਲਤ ਲਿਖਣ ਸਥਿਤੀ
 ਐਂਟਰੀਆਂ ਮਰਜ਼ ਨਹੀਂ ਕੀਤੀਆਂ ਜਾ ਸਕੀਆਂ। ਮੈਮੋਰੀ ਖਤਮ ਹੋਈ।
 ਪਰੋਫਾਇਲ %s ਲਈ ਵੇਰੀਬਲ ਐਕਸਪੈਂਡ ਕਰਨ ਦੌਰਾਨ ਗਲਤੀ, ਲੋਡ ਕਰਨ ਲਈ ਫੇਲ੍ਹ
 %s ਪਰੋਫਾਇਲ ਵਿੱਚ ਗਲਤੀ, ਲੋਡ ਕਰਨ ਲਈ ਫੇਲ੍ਹ
 ਪਰੋਫਾਇਲ %s ਲਈ ਰੂਲ ਮਿਲਾਨ ਕਰਨ ਦੌਰਾਨ ਗਲਤੀ, ਲੋਡ ਕਰਨ ਲਈ ਫੇਲ੍ਹ
 ਪਰੋਫਾਇਲ %s regexs ਪਰੋਸੈਸ ਕਰਨ ਦੌਰਾਨ ਗਲਤੀ, ਲੋਡ ਕਰਨ ਲਈ ਫੇਲ੍ਹ
 ਗਲਤੀ: ਡਾਇਰੈਕਟਰੀ %s ਖੋਜ ਮਾਰਗ 'ਚ ਸ਼ਾਮਲ ਨਹੀਂ ਕੀਤੀ ਜਾ ਸਕੀ।
 ਗਲਤੀ: ਮੈਮੋਰੀ ਜਾਰੀ ਨਹੀਂ ਕੀਤੀ ਜਾ ਸਕੀ।
 ਗਲਤੀ: ਪਰੋਫਾਇਲ %s ਪੜ੍ਹਿਆ ਨਹੀਂ ਜਾ ਸਕਿਆ: %s
 ਗਲਤੀ: ਮੈਮੋਰੀ ਖਤਮ ਹੋਈ।
 ਗਲਤੀ: basedir %s ਇੱਕ ਡਾਇਰੈਕਟਰੀ ਨਹੀਂ ਹੈ, ਛੱਡਿਆ ਜਾ ਰਿਹਾ ਹੈ।
 ਅਚਾਨਕ ਅੱਖਰ ਮਿਲਿਆ: '%s' ਗਲਤ ਨੈੱਟਵਰਕ ਐਂਟਰੀ ਹੈ। ਮੈਮੋਰੀ ਜਾਰੀ ਕਰਨ ਗਲਤੀ। ਮੈਮੋਰੀ ਤੋਂ ਬਾਹਰ
 ਅਧਿਕਾਰ ਪਾਬੰਦੀ
 ਪਰੋਫਾਇਲ ਪਹਿਲਾਂ ਹੀ ਮੌਜੂਦ ਹੈ
 ਪਰੋਫਾਇਲ ਦਸਤਖਤ ਨਹੀਂ ਮਿਲਦੇ
 ਪਰੋਫਾਇਲ ਮੌਜੂਦ ਨਹੀਂ
 ਪਰੋਫਾਇਲ ਵਰਜਨ ਅੱਪਾਰਮੋਰ ਮੋਡੀਊਲ ਵਲੋਂ ਸਹਾਇਕ ਨਹੀਂ ਹੈ
 ਸਫ਼ਲ "%s" ਲਈ ਹਟਾਉਣਾ
 %s - %s ਖੋਲ੍ਹਣ ਲਈ ਅਸਫ਼ਲ
 ਕੀ ਲਾਈਨ ਅੱਖਰ ਦਾ ਖਾਤਮਾ ਨਹੀਂ ਹੈ? (ਐਂਟਰੀ: %s) ਕੰਮ ਖੇਤਰ ਬਣਾਉਣ ਲਈ ਅਸਮਰੱਥ
 ਪਰੋਫਾਇਲ %s ਸੀਰੀਅਲਾਈਜ਼ ਲਈ ਅਸਮਰੱਥ
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                R        m   <             <     0   N  3     6     >     $   )  2   N  >     G     =   	  R   F	  :   	     	  $   	     
     0
  )   N
     x
  w   
  /        ?     ]  !   x  +     '     /             <  2   P  &     ,     9     $   
  3   6
  7   j
     
  2   V  "     &          0     F     D   b  C                 -   -  1   [       J     E     W   5            0     .             7  ;   F            !     $          (     1   4     f                  /   R  u     [     4   T  :     -     (             7  $   W    |  %     S   <  ?     ?     V     K   g  3     H     ?   0  U   p  \     b   #  L     (     ,     )   )  &   S  1   z  5          2   k  *          $     .     *   :  :   e             0     6     =   H  J     3     G      Y   M         J   y!  3   !  -   !     &"  ;   >"  K   z"  J   "  I   #  .   [#  !   #  N   #  ;   #     7$  T   V$  U   $     %     %  !   %  4   %  2   %     *&     I&  N   X&     &     &      &     &     '  0   ''  ;   X'  +   '  *   '  %   '     (  8   (     )  |   )  H   A*  H   *  %   *  6   *  /   0+  -   `+  .   +     J   !      	   :              A   (              =   F       -      9                  7          D   3   $      P       L   <          
       0       6      H   K   1   >   2                             8          E           ?   Q             G      *   B       &   @   R                              C   I   "   )   M       5      O            %      #   /   +      ,      4   '       .   
   N   ;    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 03:38+0000
Last-Translator: Novell Language <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: pl
 %s: ASSERT: nieprawidłowa opcja: %d
 %s: przydzielenie pamięci dla punktu montowania bazy poddomeny nie powiodło się
 %s: Napotkano błędy podczas przetwarzania. Proces przerwano.
 %s: Napotkano błędy podczas przetwarzania. Proces przerwano.
 %s: Błąd podczas przetwarzania końcowego wyrażenia regularnego. Proces przerwano.
 %s: napotkano błędy w łączonym przetwarzaniu reguł. Proces przerwano.
 %s: napotkano błędy w pliku. Przerwanie procesu.
 %s: nieprawidłowy znak {. Zagnieżdżone grupowanie jest niedozwolone.
 %s: wewnętrzne przepełnienie bufora; przekroczono %d znaków
 %s: błąd grupowania wyrażeń regularnych: nieprawidłowy znak }; nie znaleziono {
 %s: błąd grupowania wyrażeń regularnych: nieprawidłowa ilość elementów pomiędzy {}
 %s: błąd grupowania wyrażeń regularnych: niedomknięte grupowanie; oczekiwano zamykającego }
 %s: do uruchomienia tego programu wymagane są uprawnienia administratora.

 %s: dodawanie "%s" nie powiodło się.   %s: analiza wiersza "%s" nie powiodła się
 %s: usunięcie "%s" nie powiodło się.   %s: zamiana "%s" nie powiodła się.   %s: zapisanie całego profilu nie powiodło się
 %s: zapis na wyjście standardowe nie powiódł się
 %s: uwaga - dla tego programu ustawiono flagę setuid root.
Każdy użytkownik tego programu będzie mógł zmieniać profile AppArmor

 (tryb_sieciowy) napotkano nieoczekiwany znak: "%s" Dodanie dla "%s" zakończone powodzeniem.
 Błąd parsera AppArmor: %s
 Asercja: "hat rule" zwróciło NULL. Asercja: "local_profile rule" zwróciło NULL. Asercja: "change_profile" zwróciło NULL. Asercja: "network_rule" zwróciło niepoprawny protokół. Asercja: 'rule' zwróciło NULL. Nieprawidłowa pozycja zapisu
 Konflikt - "a" i "w" wykluczają się wzajemnie. Łączenie wpisów nie powiodło się. Brak pamięci.
 Błąd podczas dodawania reguły dostępu hat dla profilu %s
 Błąd rozwijania zmiennych dla profilu %s. Wczytanie nie powiodło się.
 Błąd w profilu %s. Wczytanie nie powiodło się.
 Błąd łączenia reguł dla profilu %s. Wczytanie nie powiodło się.
 Błąd przetwarzania wyrażeń regularnych dla profilu %s. Wczytanie nie powiodło się.
 Błąd: profil %s zawiera elementy zasad, które nie są używane w bieżącym
	 jądrze systemu: zakresy znaków "*", "?" oraz zmiany nie są dozwolone.
	 znak "**" może być użyty tylko na końcu reguły.
 Błąd: dodanie katalogu %s do ścieżki wyszukiwania nie powiodło się.
 Błąd: przydzielenie pamięci nie powiodło się.
 Błąd: nie można odczytać profilu %s: %s.
 Błąd: brak pamięci.
 Błąd: katalog bazowy %s nie jest katalogiem. Pominięto.
 Błędny znacznik wykonania "%c%c", wcześniej użyto sprzecznego znacznika Błędny znacznik wykonania "%c". Wcześniej użyto sprzecznego znacznika. Błędny znacznik wykonania "i". Wcześniej użyto sprzecznego znacznika. Utworzenie aliasu %s nie powiodło się -> %s
 Napotkano nieoczekiwany znak "%s" Wewnętrzny błąd spowodował utworzenie nieprawidłowego uprawnienia 0x%llx
 Błąd wewnętrzny: napotkano nieoczekiwany znak trybu "%c" Nieprawidłowe uprawnienie %s. Tryb nieprawidłowy, "x" należy poprzedzić znacznikiem wykonania  "i", "p" lub "u" Tryb nieprawidłowy. Przed "x" należy użyć znacznika wykonania  "i", "p" albo "u". Tryb nieprawidłowy, w regułach zabraniających znacznik "x" nie może być poprzedzony znacznikiem wykonania  "i", "p" lub "u" Nieprawidłowy wpis sieciowy. Nieprawidłowa flaga profilu: %s. Błąd alokacji pamięci: Nie można usunąć %s:%s. Błąd alokacji pamięci: Nie można usunąć ^%s
 Błąd przydzielenia pamięci. Brak pamięci
 Nieprawidłowy bufor przyrostowy %p na pozycji %p ext %p rozmiar %d zasób %p
 Dostęp zabroniony
 Profil już istnieje
 Profil nie odpowiada sygnaturze
 Profil niezgodny z protokołem
 Profil nie istnieje
 Flaga profilu "debug" nie jest już prawidłowa. Wersja profilu nie jest obsługiwana przez moduł Apparmor
 Usuwanie dla "%s" zakończone powodzeniem.
 Zamiana dla "%s" zakończona powodzeniem.
 Otwarcie %s  nie powiodło się - %s
 Nieograniczony znacznik wykonania (%c%c) zezwala na przekazywanie niebezpiecznych zmiennych środowiska do procesu. Więcej informacji można znaleźć w podręczniku systemowym "man 5 apparmor.d".
 Nieustawiona zmienna logiczna %s użyta w wyrażeniu if. Znaczniki zapisane wielkimi literami "RWLIMX" nie są już aktualne. Proszę używać
małych liter. Więcej informacji można znaleźć w podręczniku systemowym apparmor.d(5).
 Uwaga: nie można znaleźć systemu plików w %s, czy jest on zamontowany?
Opcja --subdomainfs wymusza typ systemu plików.
 konflikt łączy i uprawnień wykonywania w regule pliku używającej -> uprawnienia odnośników nie są dozwolone w zmianie nazwanego profilu.
 brak znaku końca wiersza? (wpis: %s) podzbiór może być użyty tylko z regułami łączy. Tworzenie obszaru roboczego nie powiodło się
 Serializowanie profilu %s nie powiodło się
 niebezpieczna reguła bez uprawnień wykonania                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        
      l   
             m      
   _  <   m  (          #                   )    J  q        Z  D   g  2          '        %     *  )   E                                   	   
       %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: AppArmor list <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2016-03-03 08:34+0000
Last-Translator: Ivo Xavier <ivofernandes12@gmail.com>
Language-Team: Portuguese <pt@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: pt
 %s: [opções]
  opções:
  -q | --silencioso        Não mostrar mensagens
  -h | --ajuda         Mostar ajuda
 Erro - '%s'
 Talvez - permissões insuficientes para determinar disponibilidade.
 Talvez - política de interface não disponível.
 Não - desligado ao iniciar.
 Não - não disponível neste sistema.
 Sim
 opção desconhecida '%s'
 opções desconhecidas ou incompatíveis
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      c      4     L      p     q  <     0     3     6   3	  >   j	  $   	  2   	  >   
  G   @
  =   
  R   
  :        T  $   n            )     2     #   +     O  w   n  /        
     4
  !   O
  +   q
  '   
  /   
     
       !   '  !   I  2   k            *     &     ,      9   M  $     3     7          2     "     &   "     I  0   `  F     D     C         a        -     1          J     E   e  W               0   4  .   e       
          ;          ?        Y  )   q  !     $          (     1   "     T      q               @     X  /   n  u     !     [   6       4     :     -        F  &   Z       (               $          &     P     I   >  I     k     \   >  8     K     <      o   ]  V     }   $  M     '     8      %   Q   (   w   <      =      .   !  )   J!     t!  3   "  !   ;"  %   ]"  %   "  /   "  +   "  :   #  !   @#     b#  1   #  7   #  @   #     *$     H$  5   e$  <   $  ;   $  B   %  )   W%  6   %  <   %     %  J   &  )   '  -   5'     c'  3   }'  V   '  T   (  S   ](  '   (  $   (  /   (  5   .)     d)  ]   })  X   )  r   4*     *     *  @   *  >   "+     a+     +     +  G   +     +  A   +     >,  &   S,  (   z,  4   ,     ,  .   ,  7   -  "   U-  '   x-      -     -     }.     .  =   .     .     /  s   /     *0  K   A0  M   0  0   0     1  *    1     K1  >   a1  *   1  )   1  5   1             O   <      :   5       	   $   >      ,   N   %   R       0   C   -                                 D   ;   )       &         S   #       T       Z   a          H   P            `   6          *   
      I          L   3   7   M       X   F   ]       ^           
   W   _         (   G   [       !   .   +                        ?       /   4   A   '      K   B              "            @      9   Y      J       \   8           V       b   U       Q                      =   c       1       E          2    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Can't create cache directory: %s
 Can't update cache directory: %s
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 fstat failed for '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) opendir failed '%s' profile %s network rules not enforced
 stat failed for '%s' subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2016-03-03 08:40+0000
Last-Translator: Ivo Xavier <ivofernandes12@gmail.com>
Language-Team: Portuguese <opensuse-pt@opensuse.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: pt
 %s: ASSERÇÃO: Opção inválida: %d
 %s: Não é possível alocar memória para o ponto de montagem de subdomainbase
 %s: Foram encontrados erros durante o pós-processamento. A interromper.
 %s: Foram encontrados erros durante o pós-processamento. A interromper.
 %s: Foram encontrados erros durante o pós-processamento das expressões regulares (regex). A interromper.
 %s: Foram encontrados erros no pós-processamento de combinação de regras. A interromper.
 %s: Foram encontrados erros no ficheiro. A interromper.
 %s: { de abertura ilegal, o encadeamento de agrupamentos não é permitido
 %s: Detectado um excesso no buffer interno de %d caracteres
 %s: Erro de agrupamento de expressões regulares: Fecho inválido }, não foi encontrado uma } para emparelhar
 %s: Erro de agrupamento de expressões regulares: Número inválido de itens entre {}
 %s: Erro de agrupamento de expressões regulares: Agrupamento ou classe de caracter não encerrado, espera-se uma } a fechar
 %s: Lamento. Necessita de privilégios de root para executar este programa.

 %s: Não é possível adicionar "%s".   %s: Não foi possível analisar a linha de entrada '%s'
 %s: Não é possível remover "%s".   %s: Não é possível substituir "%s".   %s: Não é possível escrever a entrada completa de perfil
 %s: Incapaz de escrever a entrada inteira de perfil na cache
 %s: Incapaz de escrever no ficheiro de saída
 %s: Não é possível escrever em stdout
 %s: Aviso! Definiu este programa como setuid root.
Qualquer utilizador que possa executar este programa pode actualizar os seus perfis AppArmor.

 (network_mode) Encontrado caracter inesperado: '%s' Adição bem sucedida para "%s".
 Erro de interpretação AppArmor: %s
 Asserção: 'hat rule' devolveu NULL. Asserção: `local_profile rule' devolveu NULL. Asserção: `change_profile' devolveu NULL. Asserção: `network_rule' ' devolveu protocolo inválido. Asserção: `rule' devolveu NULL. Posição de escrita errada
 Não foi possível criar diretório de cache: %s
 Não foi possível atualizar o diretório da cache: %s
 As permissões 'a' e 'w' em conflito são mutuamente exclusivas. Não foi possível abrir '%s' Não pode abrir '%s' em '%s' Não pode copiar o perfil: Mau endereço de memória
 Não é possível intercalar as entradas. Memória Esgotada
 ERRO ao adicionar a regra de acesso 'hat' para o perfil %s
 ERRO ao expandir as variáveis para o perfil '%s', falhou a carga
 ERRO no perfil %s, falhou o carregamento
 ERRO falhou a carga das regras de fusão do perfil %s
 ERRO ao processar regexs para o perfil '%s', falhou a carga
 ERRO perfil %s contém elementos de política não utilizáveis com este kernel:
	'*', '?', gamas de caracteres e alternações não são permitidos.	'**' pode apenas ser utilizado no fim de uma regra.
 Erro: Não é possível adicionar o directório %s ao caminho de procura.
 Erro: Não é possível alocar memória.
 Erro: Não é possível ler o perfil %s: %s.
 Erro: Memória Esgotada.
 Erro: basedir %s não é um directório, a saltar.
 Qualificador de execução '%c%c' inválido, qualificador em conflito já especificado Qualificador de execução '%c' inválido, qualificador em conflito já especificado Qualificador de execução 'i' inválido, qualificador em conflito já especificado Falha na criação da alcunha %s -> %s
 Encontrado caracter inesperado: '%s' Erro interno gerou permissão inválida 0x%llx
 Interno: entrada com caracter de modo '%c' inesperado Capacidade inválida %s. Modo inválido, 'x' deve ser precedido por um qualificador de execução 'i', 'p', 'c' ou 'u' Modo inválido, 'x' deve ser precedido por um qualificador de execução 'i', 'p' ou 'u' Modo inválido, em regras de negação, o 'x' deve ser precedido por um qualificador de execução 'i', 'p' ou 'u' Entrada de rede inválido. Marca de perfil inválida: %s. Erro de Alocação de Memória. Não é possível remover %s:%s. Erro de Alocação de Memória. Não é possível remover ^%s
 Erro de alocação de memória. Sem memória Memória esgotada
 PÂNICO buffer de incremento errado %p pos %p ext %p tamanho %d res %p
 Permissão negada
 Permissão negada; tentar carregar um perfil enquando confinado?
 O perfil já existe
 Anexo de perfil deve começar com '/'. O perfil não coincide com a assinatura
 O perfil não está em conformidade com o protocolo
 O perfil não existe
 A marca 'debug' de perfil já não é válida. Versão de perfil não suportada pelo módulo Apparmor
 Remoção bem sucedida para "%s".
 Substituição bem sucedida para "%s".
 Não é possível abrir %s - %s
 O qualificador de execução não constrangido (%c%c) permite a passagem de variáveis de ambiente perigosas para o processo não confinado; digite 'man 5 apparmor.d' para mais detalhes.
 Erro desconhecido (%d): %s
 Tipo de padrão desconhecido
 Variável booleana %s não definida em expressão condicional Os qualificadores maiúsculos "RWLIMX" estão obsoletos, por isso converta-os para minúsculas
Para mais detalhes consulte a página de manual do apparmor.d(5).
 Avisos de %s (%s%sline %d): %s Aviso: não é possível encontrar um fs adequado em %s, estará ele montado?
Utilize --subdomainfs para sobrepor.
 fstat falhou para '%s' permissões de link e exec conflictuam numa regra de ficheiro utilizando -> permissões de link não são permitidas numa transição de perfil nomeada.
 caracter de fim de linha em falta? (entrada: %s) opendir falhou '%s' regras de perfil %s na rede não impostas
 stat falhou para '%s' subconjunto pode apenas ser utilizado com regras de ligação. não é possível criar área de trabalho
 não é possível serializar o perfil %s
 Regra insegura por falta de permissões de execução                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          R        m   <             <     0   N  3     6     >     $   )  2   N  >     G     =   	  R   F	  :   	     	  $   	     
     0
  )   N
     x
  w   
  /        ?     ]  !   x  +     '     /             <  2   P  &     ,     9     $   
  3   6
  7   j
     
  2   V  "     &          0     F     D   b  C                 -   -  1   [       J     E     W   5            0     .             7  ;   F            !     $          (     1   4     f                  /   R  u     [     4   T  :     -     (             7  $   W    |  $     N   >  C     C     Y     V   o  1     >     B   7  s   z  S     x   B  H     !     /   &     V  "   v  0     !          4          #     #     4   "  )   W  9          "     @     4   ?  9   t  @     %     :      S   P         K   }!  *   !  .   !     #"  =   8"  V   v"  T   "  S   "#  !   v#  %   #  /   #  5   #     $$  \   :$  V   $  v   $     e%     %  :   %  8   %     &     2&  K   I&     &     &  &   &  (   &     
'  .   #'  :   R'      '  %   '     '     '  F   (     )  e   )  N   *  O   R*  1   *  6   *  $   +  !   0+  8   R+     J   !      	   :              A   (              =   F       -      9                  7          D   3   $      P       L   <          
       0       6      H   K   1   >   2                             8          E           ?   Q             G      *   B       &   @   R                              C   I   "   )   M       5      O            %      #   /   +      ,      4   '       .   
   N   ;    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 03:51+0000
Last-Translator: Novell Language <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: pt_BR
 %s: DECLARAR: Opção inválida: %d
 %s: Impossível alocar memória para ponto de montagem de base de subdomínio
 %s: erros encontrados durante o pós-processamento. Interrompendo.
 %s: erros encontrados durante o pós-processamento. Interrompendo.
 %s: Erros encontrados durante o pós-processamento de expressão regular. Interrompendo.
 %s: Erros encontrados no pós-processamento de regras de combinação. Interrompendo.
 %s: Erros encontrados no arquivo. Interrompendo.
 %s: Abertura ilegal {, agrupamentos aninhados não permitidos
 %s: Overflow de buffer interno detectado; %d caracteres excedidos
 %s: Erro de agrupamento de expressão regular: Fechamento inválido }; nenhuma abertura correspondente { detectada
 %s: Erro de agrupamento de expressão regular: Número inválido de itens entre {}
 %s: Erro de agrupamento de expressão regular: Classe de caractere ou agrupamento não fechado; aguardando fechamento }
 %s: Você precisa de privilégios de root para executar este programa.

 %s: Impossível adicionar "%s".   %s: Impossível analisar linha de entrada '%s'
 %s: Impossível remover "%s".   %s: Impossível substituir "%s".   %s: Impossível gravar toda a entrada do perfil
 %s: Impossível gravar em stdout
 %s: Aviso! Você definiu o setuid deste programa como root.
Qualquer pessoa capaz de executar esse programa poderá atualizar seus perfis do AppArmor.

 (network_mode) Caractere inesperado encontrado: '%s' Adição bem-sucedida de "%s".
 Erro do analisador do AppArmor: %s
 Declarar: 'hat rule' retornou NULL. Declaração: a regra 'local_profile' retornou NULO. Declarar: `change_profile' retornou NULL. Declarar: `network_rule' retornou um protocolo inválido. Declarar: `rule' retornou NULL. Posição de gravação incorreta
 As permissões 'a' e 'w' de conflito são mutuamente exclusivas. Impossível mesclar entradas. Memória Insuficiente
 ERRO ao adicionar a regra de acesso hat para o perfil %s
 ERRO ao expandir variáveis para o perfil %s; falha ao carregar
 ERRO no perfil %s. Falha ao carregar
 ERRO ao fundir regras para o perfil %s; falha ao carregar
 ERRO no processamento de expressões regulares para o perfil %s; falha ao carregar
 ERRO: O perfil %s contém elementos de política que não podem ser usados com este kernel:
	'*', '?', faixas de caracteres e alternações não são permitidos.
	'**' somente podem ser usados no final de uma regra.
 Erro: Não foi possível adicionar o diretório %s ao caminho de pesquisa.
 Erro: Não foi possível alocar memória.
 Erro: Não foi possível ler o perfil %s: %s.
 Erro: Sem memória.
 Erro: O diretório base %s não é um diretório; ignorando.
 Qualificador de execução '%c%c' inválido. Qualificador em conflito já especificado Qualificador de execução '%c' inválido. Qualificador em conflito já especificado Qualificador de execução 'i' inválido. Qualificador em conflito já especificado Falha ao criar o álias %s -> %s
 Caractere inesperado encontrado: '%s' Erro interno gerou permissão inválida 0x%llx
 Interno: caractere '%c' inesperado de modo na entrada Recurso inválido %s. Modo inválido. O 'x' deve ser precedido pelo qualificador de execução 'i', 'p','c' ou 'u' Modo inválido; 'x' deve ser precedido pelo qualificador de execução 'i', 'p' ou 'u' Modo inválido. Nas regras de negação, o 'x' não deve ser precedido pelo qualificador de execução 'i', 'p' ou 'u' Entrada de rede inválida. Flag de perfil inválido: %s. Erro de Alocação de Memória: Impossível remover %s:%s. Erro de Alocação de Memória: Impossível remover ^%s
 Erro de alocação de memória. Memória insuficiente
 PÂNICO: buffer de incremento incorreto %p pos %p ext %p tamanho %d res %p
 Permissão negada
 O perfil já existe
 Perfil não corresponde à assinatura
 Perfil não compatível com o protocolo
 O perfil não existe
 O flag de perfil 'debug' não é mais válido. Versão de perfil não suportada pelo módulo do AppArmor
 Remoção bem-sucedida de "%s".
 Substituição bem-sucedida de "%s".
 Impossível abrir %s - %s
 O qualificador de execução não delimitado (%c%c) permite que algumas variáveis de ambiente perigosas sejam passadas para o processo não delimitado; consulte 'man 5 apparmor.d' para obter detalhes.
 Cancelar a definição da variável booleana %s usada na expressão if Os qualificadores maiúsculos "RWLIMX" foram cancelados; converta-os em letras minúsculas
Consulte a página de manual apparmor.d(5) para obter detalhes.
 Aviso: impossível encontrar um fs adequado em %s. Ele está montado?
Use --subdomainfs para anular.
 conflito de permissões de link e execução em uma regra de arquivo usando -> permissões de link não são permitidas em uma transição de perfil nomeada.
 caractere de fim de linha ausente?  (entrada: %s) subconjunto somente deve ser usado com regras de link. impossível criar área de trabalho
 impossível serializar perfil %s
 permissões de execução não seguras com regra ausente                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          
      l   
             m      
   _  <   m  (          #                   )    J  b        @  E   O  3          )               '   0                                   	   
       %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: FULL NAME <EMAIL@ADDRESS>
PO-Revision-Date: 2020-02-20 21:47+0000
Last-Translator: Daniel Slavu <Unknown>
Language-Team: Romanian <ro@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2020-02-21 05:39+0000
X-Generator: Launchpad (build 19413b719a8df7423ab1390528edadce9e0e4aca)
 %s: [opțiuni]
  opțiuni:
  -q | --calm Nu imprima niciun mesaj
  -h | - ajutor Imprimare ajutor
 Eroare - '%s'
 Poate - permisiuni insuficiente pentru a determina disponibilitatea.
 Poate - interfața politică nu este disponibilă.
 Nu - dezactivat la pornire.
 Nu - nu este disponibil pe acest sistem.
 Da
 opțiune necunoscută '%s'
 opțiuni necunoscute sau incompatibile
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             s           L      	     	  <   	  0   
  3   O
  6   
  >   
  $   
  2     >   Q  7     G     =     R   N  :          $        
     8
  )   V
  2   
  #   
     
  w   
  /   n       0     '          !   0  +   R  '   ~  /                     "   )  !   L  !   n  2               0     *   $  &   O  ,   v  9     $     3     7   6     n  2   "  "   U  &   x       0     F     D   .  C   s             %           -   4  6   b  1          J     E   -  W   s            0     .   -     \  
   u       ;          ?        !  )   9  !   c  $          (     F     :   1  >   l  <     M     1   6     h                     T     l  /     u     3   (  !   \  [   ~       4     :   %  -   `       &     <          (        D     `  $         #   E   A   i   =      =      P   '!  L   x!  ,   !  G   !  B   :"  >   }"     "  S   @#  b   #  S   #     K$     f$     $     $  !   $  D   $  0   %%     V%     r%  6   %  %   4&  7   Z&  +   &  "   &  !   &  3   '  +   7'  >   c'  $   '     '  '   '  )   (  &   9(  +   `(  .   (     (  #   (  5   (  C   .)  2   r)  @   )  I   )  .   0*  E   _*  T   *     *  ;   +     
,  %   ),     O,  4   o,  V   ,  T   ,  R   P-  "   -     -  ,   -  '   .  8   4.  >   m.  4   .     .  V   .  I   T/  h   /     0      $0  2   E0  0   x0     0     0     0  L   0     ?1  W   U1     1  6   1  %   1  $   !2     F2  6   [2  R   2  E   2  Z   +3  K   3  i   3  ;   <4  %   x4  &   4     4     4     5     5  O   5     6  +   6  %   6  c   6     H7  P   c7  F   7  :   7     68  0   L8  B   }8     8  8   8     9     29  0   P9     p           ,   .           *   5   E                  C   S   Y       M   @          H   e   4   "       G   l   k   i       U                         o   h   D   N       O   j   I               &   	   )   m             R       6         -      9      X      f   L                    ;       K          :   #       <   8              d   V   B             +   n   _         s   [       /   ]   1       
      !   '   $   F      `          >       c   q   \   0       Q   2   b       
           ^   g   W   r   J   A   P   ?   3   7   a         =          Z               %          T   (        %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Invalid profile name '%s' - bad regular expression
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error for %s%s%s at line %d: %s
 AppArmor parser error,%s%s line %d: %s
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Cached load succeeded for "%s".
 Cached reload succeeded for "%s".
 Can't create cache directory: %s
 Can't update cache directory: %s
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Could not process include directory '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Feature buffer full. File in cache directory location: %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected DBus mode character '%c' in input Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile flag attach_disconnected conflicts with no_attach_disconnected Profile flag chroot_attach conflicts with chroot_no_attach Profile flag chroot_relative conflicts with namespace_relative Profile flag mediate_deleted conflicts with delegate_deleted Profile names must begin with a '/', namespace or keyword 'profile' or 'hat'. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Variable declarations do not accept trailing commas Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 fstat failed for '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) opendir failed '%s' profile %s network rules not enforced
 profile %s: has merged rule %s with conflicting x modifiers
 stat failed for '%s' subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2020-02-21 19:30+0000
Last-Translator: Daniel Slavu <Unknown>
Language-Team: <ro@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2020-02-22 05:41+0000
X-Generator: Launchpad (build 19413b719a8df7423ab1390528edadce9e0e4aca)
Language: ro
 %s: ASSERT: Opțiune invalidă: %d
 %s: Nu pot aloca memorie pentru punctul de montare subdomainbase
 %s: Au apărut erori în timpul post-procesării. Abandonez.
 %s: Au apărut erori în timpul post-procesării. Abandonez.
 %s: Au apărut erori în timpul post-procesării expresiei regulate. Abandonez.
 %s: Au apărut erori în combinarea regulilor de post-procesare. Abandonez.
 %s: Am găsit erori în fișier. Abandonez.
 %s: Paranteză { ilegală, nu sunt permise mai multe nivele de grupare
 %s: Am detectat o depășire a buffer-ului intern cu %d caractere
 %s: Nume de profil nevalid '%s' - expresie regulată proastă
 %s: Eroare de grupare în expresia regulată: Paranteză închisă } invalidă, nu există nicio paranteză deschisă echivalentă
 %s: Eroare de grupare în expresia regulată: Număr invalid de intrări între {}
 %s: Eroare de grupare în expresia regulată: Grupare sau clasă neterminată, mă așteptam la }
 %s: Îmi pare rău. Aveți nevoie de privilegii root pentru a rula acest program.

 %s: Nu pot adăuga "%s".   %s: Nu pot parsa linia '%s'
 %s: Nu pot îndepărta "%s".   %s: Nu pot înlocui "%s".   %s: No pot scrie intregul profil
 %s: Nu se poate scrie intrarea întregului profil în memoria cache
 %s: Imposibil de scris în fișierul de ieșire
 %s: Nu pot scrie la stdout
 %s: Atenție! Ați setat setuid root pentru acest program.
Oricine poate rula acest program poate face update la profilul dvs. AppArmor.

 (network_mode) Am găsit un caracter neașteptat: '%s' Adăugarea s-a efectuat pentru "%s".
 Eroare analizor AppArmor pentru %s%s%s la linie %d: %s
 Eroare analizor AppArmor,%s%s linia %d: %s
 Eroare în parser-ul AppArmor: %s
 Afirma: 'hat rule' returnat NULL. Aserțiune: `regulă _profil local' a întors NULL. Asețiune: `change_profile' a întors NULL. Ase_rțiune: `regula de rețea' a întors un protocol invalid. Aserțiune: `regula' a întors NULL. Poziție de scriere incorectă
 Încărcarea în cache a reușit "%s".
 Reîncărcarea în cache a reușit "%s".
 Nu se poate crea directorul cache: %s
 Nu se poate actualiza directorul cache: %s
 Conflict 'a' și 'w' perms se exclud reciproc. Nu poate fi deschis '%s' Nu s-a putut deschide '%s' în '%s' Imposibil de procesat directorul inclus '%s' în '%s' Nu s-a putut copia profilul: Adresă de memorie necorespunzătoare
 Nu am putut uni intrările. Memorie insuficientă
 EROARE adăugând pălărie la regula de acces pentru profil %s
 EROARE la citirea variabilelor pentru profilul %s, nu am putut încărca
 EROARE în profilul %s, încărcarea a eșuat
 EROARE la unirea regulilor pentru profilul %s, nu am putut încărca
 EROARE la procesarea expresiilor regulate pentru profilul %s, încărcarea a eșuat
 EROARE profilul %s conține elemente de politică ce nu pot fi utilizate cu acest kernel:
	'*','?', intervale de caractere și alternări nu sunt permise.
	'**' poate fi folosit doar la sfârșitul unei reguli.
 Eroare: Nu pot adăuga directorul %s la calea de căutare.
 Eroare: nu pot aloca memorie.
 Eroare: Nu pot citi profilul %s: %s.
 Eroare: Memorie insuficientă.
 Eroare: basedir %s nu este un director, trec peste.
 Specificatorul exec '%c%c' este invalid, a fost deja declarat un asemenea specificator Specificatorul exec '%c' este invalid, a fost deja declarat un asemenea specificator Specificatorul exec 'i' este invalid, specificatorul conflictual este deja definit Nu am putut crea aliasul %s -> %s
 Funcție tampon complet. Fișier în locația directorului cache: %s
 Am găsit un caracter neașteptat: '%s' O eroare internă a generat permutarea invalidă 0x%llx
 Intern: caracterul neașteptat al modului DBus '%c' la intrare Intern: '%c' este un caracter neașteptat la intrare Capabilitate invalidă: %s. Mod invalid, 'x' trebuie să fie precedat de specificatorul exec 'i', 'p', 'c' sau 'u' Mod invalid, 'x' trebuie precedat de specificatorul exec 'i', 'p' sau 'u' Mod invalid, în regulile de interzicere 'x' nu trebuie precedat de specificatorul exec 'i', 'p' sau 'u' Intrare de rețea nevalidă. Indicator de profil invalid: %s. Eroare la alocarea memoriei: Nu pot șterge %s:%s. Eroare la alocarea memoriei: Nu pot șterge ^%s
 Eroare la alocarea memoriei. Memorie insuficienta Memorie insuficientă
 PANICĂ incrementare greșită buffer %p pos %p ext %p dimensiune %d res %p
 Permisiune respinsă
 Acces refuzat; ați încercat să încărcați un profil în timp ce sunteți limitat?
 Profilul există deja
 Atașamentul la profil trebuie să înceapă cu a '/'. Profilul nu corespunde cu semnătura
 Profilul nu corespunde protocolului
 Profilul nu există
 Indicatorul 'debug' nu mai este valabil pentru profil. Indicatorul profilului atașați_deconectarea conflictelor cu nu_atașa_deconectat Indicatorul profilului chroot_attach în conflict cu chroot_no_attach Indicatorul profilului chroot_relative intră în conflict cu relativul_spațiului de nume Indicatorul profilului mediază_ștergerea conflictelor cu delegatul_șters Numele profilului trebuie să înceapă cu un '/', spațiu de nume sau cuvinte cheie 'profile' sau 'hat'. Versiunea profilului nu este suportatp de modulul Apparmor
 Ștergerea s-a efectuat pentru "%s".
 Înlocuirea s-a efectuat pentru "%s".
 Nu pot deschide %s -%s
 Calificatorul de execuție neconfigurat (%c%c) permite trecerea unor variabile de mediu periculoase la procesul neconfigurat; 'man 5 apparmor.d' pentru detalii.
 Eroare necunoscută (%d): %s
 Tip de model necunoscut
 Variabila booleană neinițializată %s este folosită într-o instrucțiune if Specificatori cu litere mari "RWLIMX" sunt depășiți, vă rog convertiți la litere mici
Vedeți manpage apparmor.d(5) pentru amănunte.
 Declarațiile variabile nu acceptă virgule Avertisment din %s (%s%slinie %d): %s Atenție: nu pot găsi un fs potrivit în %s, este montat?
Folosiți -subdomainfs pentru a forța.
 fstat a eșuat pentru '%s' conectează și execută conflictul de perms pe o regulă de fișier folosind -> legătura de perms nu sunt permise pe o tranziție de profil numită.
 lipsește un caracter de sfârșit de linie? (intrare: %s) opendir a eșuat '%s' profilul %s regulile de rețea nu sunt aplicate
 profilul %s: a combinat regula %s cu modificatorii x în conflict
 stat a eșuat pentru '%s' subsetul poate fi utilizat doar cu reguli de legătură. nu pot crea spațiul de lucru
 nu pot serializa profilul %s
 regulă nesigură fără permisiuni de execuție                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    
      l   
             m      
   _  <   m  (          #                   )    J            w     M     5   e  <          -     L                                      	   
       %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: AppArmor list <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2016-03-29 14:46+0000
Last-Translator: Eugene Roskin <Unknown>
Language-Team: Russian <ru@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: ru
 %s: [параметры]
  параметры:
  -q | --quiet        не выводить никакие сообщения
  -h | --help          вывести справку
 Ошибка - '%s'
 Возможно - недостаточно разрешений для определения доступности.
 Возможно - интерфейс политики недоступен.
 Нет - выключено при загрузке.
 Нет - недоступно на этой системе.
 Да
 неизвестный параметр '%s'
 неизвестные или несовместимые параметры
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            q           ,      	     	  <   	  0   	  3   
  6   K
  >   
  $   
  2   
  >     7   X  G     =     R     :   i       $              
     
  )   6
  2   `
  #   
     
  w   
  /   N     ~  '          !     +     '   -  /   U            !     !     2        .     B  0   ^  *     &     ,     9     $   H  3   m  7          2     "     ;     3     &   S     z  0     F     D   	  C   N        %           -     1   (     Z  J   q  E     W        Z     q  0     .          
          ;   !     ]  ?   p       )     !     $        9  (   P  F   y  :     >     <   :  M   w  1                   5     M            /     u   A  3     !     [   
     i  4     :     -             1  &   J     q  (               $         P          w      w         p!     ""  I   "  o   #  t   #  {   #     y$  j   %%     %     D&  1   &  K   &  /   J'  1   z'  -   '  U   '  p   0(  A   (  4   (  "  )  G   ;*  D   *  I   *  1   +  C   D+  N   +  I   +  l   !,  ?   ,  1   ,  J    -  L   K-  T   -  (   -  0   .  X   G.  m   .  Y   /  g   h/     /  J   V0  y   0     1  D  1  _   2  @   Q3     3  j   4  L   4  5   4  s   5     v5  l   
6  k   z6  ?   6  Q   &7  8   x7  ^   7  _   8  3   p8  ~   8     #9     9  5   S:  5   :  X   :  V   ;  -   o;  %   ;  &   ;  m   ;     X<  v   w<  +   <  I   =  >   d=  B   =  )   =  K   >  \   \>  C   >  T   >  R   R?     ?  V   L@  1   @  -   @  ,   A     0A  -   )B  /   WB  s   B     B  g   C  >   ND     D  '   VE     ~E     F  K   F  )   F  7   
G  c   EG  &   G  o   G  B   @H  F   H  p   H        =   T   E       f   p           P      N   _   )   ,   *   U   8   o   F   B   7   d                      :      Q       6       X   \   D                           V   h       3   >                 (          O   W          ]         !   &           
   +   /   2              ?   	       l               -   %   H   .      5         a                        #   Z   k      q         G       0   c          S   Y         ;   ^       9      m       g   b   n      K   C   <   "      @   I       `   [   j   J       1   
   e   4   A   R       $   '      M   i       L    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Invalid profile name '%s' - bad regular expression
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write %s
 %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error,%s%s line %d: %s
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Can't create cache directory: %s
 Can't update cache directory: %s
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Could not process include directory '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read binary profile or cache file %s: %s.
 Error: Could not read cache file '%s', skipping...
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 File in cache directory location: %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile flag attach_disconnected conflicts with no_attach_disconnected Profile flag chroot_attach conflicts with chroot_no_attach Profile flag chroot_relative conflicts with namespace_relative Profile flag mediate_deleted conflicts with delegate_deleted Profile names must begin with a '/', namespace or keyword 'profile' or 'hat'. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Variable declarations do not accept trailing commas Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 fstat failed for '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) opendir failed '%s' owner prefix not allowed profile %s network rules not enforced
 stat failed for '%s' subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2016-03-29 14:53+0000
Last-Translator: Eugene Roskin <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: ru
 %s: ПРЕДУПРЕЖДЕНИЕ: Недопустимый параметр: %d
 %s: невозможно выделить память для точки монтирования базового поддомена
 %s: Обнаружены ошибки во время постобработки. Прекращение работы.
 %s: Обнаружены ошибки во время постобработки. Прекращение работы.
 %s: обнаружены ошибки при заключительной обработке регулярного выражения. Операция прерывается.
 %s: обнаружены ошибки при заключительной обработке объединения правил. Операция прерывается.
 %s: Обнаружены ошибки в файле. Прерываем.
 %s: Неверное открытие {, вложенная группировки не допускаются
 %s: Обнаружено переполнение внутреннего буфера, лишние %d знаков
 %s: Недопустимое имя профиля '%s' - неправильное регулярное выражение
 %s: Ошибка группировки Regex: Неверное закрытие }, обнаружено что нет соответствующего открытия {
 %s: Ошибка группировки Regex: Неверное число объектов между {}
 %s: ошибка группировки Regex. Не закрыта группировка или класс знаков; ожидается закрывающая скобка }
 %s: Извините. Для запуска этой программы необходимы права администратора.

 %s: Невозможно добавить "%s".   %s: невозможно обработать строку ввода "%s"
 %s: Невозможно удалить "%s".   %s: Невозможно заменить "%s".   %s: Невозможно записать %s
 %s: Невозможно записать запись профиля целиком
 %s: Невозможно записать во временные файлы все записи профиля
 %s: Невозможно записать вывод в файл
 %s: Невозможно записать в stdout
 %s: Предупреждение! Для этой программы задан идентификатор пользователя root.
Любой пользователь, запустивший эту программу, сможет обновить ваши профили AppArmor.

 (network_mode) Найден непредвиденный знак: "%s" Дополнение успешно выполнено для "%s".
 Ошибка анализатора AppArmor,%s%s в строке %d: %s
 Ошибка анализатора AppArmor: %s
 Предупреждение: "hat rule" возвращает NULL. Предупреждение: 'local_profile rule'  возвратило NULL. Предупреждение: "change_profile" возвращает NULL. Предупреждение: "network_rule" возвращает недопустимый протокол. Предупреждение: "rule" возвращает NULL. Неверное положение записи
 Невозможно создать временный каталог: %s
 Невозможно обновить временный каталог: %s
 Конфликт взаимоисключающих разрешений "a" и "w". Невозможно открыть '%s' Невозможно открыть '%s' в '%s' Невозможно выполнить включение каталога '%s' в '%s' Невозможно скопировать профиль: Недопустимый адрес памяти
 Невозможно объединить записи. Не хватает памяти
 ОШИБКА при добавлении правила доступа к HAT для профиля %s
 Ошибка при развертывании переменных для профиля %s; не удалось загрузить
 ОШИБКА в профиле %s, не удалось загрузить
 ОШИБКА при объединении правил для профиля %s, не удалось загрузить
 ОШИБКА при обработке регулярных выражений для профиля %s; не удалось загрузить
 ОШИБКА: профиль %s содержит элементы политики, неподходящие для этого ядра:
	"*", "?", диапазоны знаков и чередования не допускаются.
	"**" может использоваться только в конце правила.
 Ошибка: не удалось добавить каталог %s в путь поиска.
 Ошибка: не удалось выделить память
 Ошибка: невозможно прочитать двоичный профиль или временный файл %s: %s.
 Ошибка: невозможно прочитать временный файл '%s', пропуск...
 Ошибка: не удалось прочитать профиль %s: %s.
 Ошибка: Недостаточно памяти.
 Ошибка: базовый каталог %s не является каталогом, пропускается.
 Недопустимый спецификатор запуска '%c%c', уже определён конфликтующий спецификатор Недопустимый ключ запуска "%c", уже задан конфликтующий ключ Недопустимый ключ запуска "i", уже задан конфликтующий ключ Не удалось создать псевдоним %s -> %s
 Расположение файла во временном каталоге: %s
 Найден непредвиденный знак: "%s" Неверное разрешение 0x%llx вызвало внутреннюю ошибку
 Внутренняя ошибка: непредвиденный знак "%c" при вводе Недопустимая возможность %s. Недопустимый режим, перед 'x' должен стоять ключ запуска 'i', 'p', 'c' или 'u' Недопустимый режим, перед "x" должен находиться ключ выполнения "i", "p" или "u" Недопустимый режим, в правилах запрещения перед 'x' не должен стоять ключ запуска 'i', 'p' или 'u' Недопустимая сетевая запись. Недопустимый флаг профиля: %s. Ошибка выделения памяти: невозможно удалить %s:%s. Ошибка выделения памяти: невозможно удалить ^%s
 Ошибка выделения памяти. Недостаточно памяти Недостаточно памяти
 ТРЕВОГА! неправильный инкрементный буфер %p pos %p ext %p size %d res %p
 Доступ запрещен
 Нет доступа; попытаться загрузить профиль с учётом ограничений?
 Профиль уже существует
 Вложение профиля должно начинаться с '/'. Профиль не соответствует подписи
 Профиль не соответствует протоколу
 Профиль не существует
 Флаг профиля 'debug' больше не используется. Флаг профиля attach_disconnected конфликтует с no_attach_disconnected Флаг профиля chroot_attach conflicts с chroot_no_attach Флаг профиля chroot_relative конфликтует с namespace_relative Флаг профиля mediate_deleted конфликтует с delegate_deleted Имена профилей должны начинаться с a '/', пространства имён или ключевого слова 'profile' или 'hat'. Версия профиля не поддерживается модулем Apparmor
 Удаление для "%s" выполнено.
 Замена для "%s" выполнена.
 Невозможно открыть %s - %s
 Ключ неограниченного выполнения (%c%c) разрешает передавать опасные переменные среды в неограниченный процесс. Подробнее см. "man 5 apparmor.d".
 Неизвестная ошибка (%d): %s
 Недопустимый тип шаблона
 В выражении IF используется незаданная логическая переменная %s Ключи в верхнем регистре "RWLIMX" исключены; выполните преобразование к нижнему регистру
Подробнее см. на стр. руководства apparmor.d(5).
 В определении переменных недопустимы завершающие точки Предупреждение от %s (%s%sстрока %d): %s Предупреждение: не удалось найти подходящий fs в %s; смонтирован?
Чтобы переопределить, используйте поддомены.
 fstat не выполнен для '%s' разрешения на выполнение и связь конфликтуют с правилом файла, использующим -> разрешения на связь не допускаются при перемещении именованного профиля.
 отсутствует знак конца строки? (запись: %s) opendir не выполнен для '%s' префикс владельца не разрешён Сетевые правила, указанные в профиле %s не применяются
 stat не выполнен для '%s' подмножество может использоваться только с правилами связи. невозможно создать рабочую область
 невозможно сеарилизировать профиль %s
 в правиле небезопасных отсутствуют разрешения на выполнения                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                $      ,       8   }  9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:30+0000
Last-Translator: i18n@suse.de
Language-Team: Sinhala <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: si
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:30+0000
Last-Translator: Stanislav Visnovsky <visnovsky@kde.org>
Language-Team: Slovak <sk-i18n@linux.sk>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: sk
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:00+0000
Last-Translator: Janez Krek <janez.krek@euroteh.si>
Language-Team: Slovenščina <sl@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: sl
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           <      \       p      q                       ;     S  
   h                   Could not open '%s' Out of memory
 Permission denied
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 23:20+0000
Last-Translator: Vilson Gjeci <vilsongjeci@gmail.com>
Language-Team: Albanian <sq@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: sq
 Nuk mund të hapim '%s' Nuk ka më kujtesë
 Leja u mohua
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:31+0000
Last-Translator: Данило Шеган <danilo@gnome.org>
Language-Team: Serbian <novell@prevod.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:32+0000
X-Generator: Launchpad (build 18928)
Language: sr
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           
      l   
             m      
   _  <   m  (          #                   )  p  J  v        2  L   >  0           *               #                                       	   
       %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: FULL NAME <EMAIL@ADDRESS>
PO-Revision-Date: 2018-09-08 03:51+0000
Last-Translator: Jonatan Nyberg <Unknown>
Language-Team: Swedish <sv@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
 %s: [options]
  flaggor:
  -q | --quiet        Skriv inte ut några meddelanden
  -h | --help         Skriv ut hjälp
 Fel - '%s'
 Kanske - otillräckliga behörigheter för att bestämma tillgängligheten.
 Kanske - policy gränssnitt inte tillgängliga.
 Nej - inaktiverad vid uppstart.
 Nej - inte tillgänglig på detta system.
 Ja
 okänd flagga '%s'
 okända eller inkompatibla flaggor
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            	           	  <   )  0   f  3     6     >   
  $   A
  2   f
  >   
  7   
  /     9   @  G   z  G     =   
  R   H  :          $             2     P  )   h  2     #          w     /          0     '        '  !   B  +   d  '     /                     "   ;  !   ^  !     2               0     *   6  &   a  ,     9     $     3     ?   H  7          7   t  2     "     ;     3   >  &   r       0     F     D   (  C   m             %         
  .   .  0   ]  -     4     6     1   (     Z  J   q  E     W        Z     q  0     .          
          ;   !     ]  ?   p       )     !     $        9  (   P  F   y  :     >     <   :  M   w  1                   5     M            /      u   A   3      !      [   
!     i!  *   x!     !     !     !  "   !  4   "  :   H"  -   "  .   "     "  *   "  $   #  %   D#     j#  ,   #  &   #  '   #  (   #  (   ($  &   Q$  &   x$  <   $     $  (   $     %     6%  *   V%  $   %    %  %   ?'  L   e'  :   '  :   '  1   ((  :   Z(     (  ?   (  <   (  :   .)  0   i)  <   )  O   )  K   '*  8   s*  \   *  I   	+  '   S+  /   {+  #   +  $   +      +  /   ,  3   E,  #   y,  )   ,     ,  /   V-     -  0   -  (   -     -  -   .  5   E.  3   {.  D   .  )   .     /  $   1/  )   V/      /  $   /  Q   /     0     /0  :   M0  2   0  2   0  Q   0  N   @1  .   1  M   1  T   2  V   a2     2  :   3  >   3  &   4  D   24  <   w4  .   4     4  8   4  f   25  c   5  P   5  )   N6     x6     6     6  ,   6  .   6  9   &7  1   `7  4   7  /   7     7  S   
8  P   a8  `   8     9     *9  7   D9  5   |9     9     9     9  K   9     4:  E   D:     :  *   :  !   :  "   :     ;  ,   %;  K   R;  ?   ;  C   ;  A   "<  V   d<  =   <     <     =     7=     R=     >     %>  N   9>     >  ;   ?  "   U?  s   x?     ?  *   @     .@     K@  "   h@  "   @  L   @  G   @  !   CA  ;   eA     A  /   A  &   A  ,   B     ?B  /   ZB  *   B  /   B  ,   B  +   C  *   >C  *   iC  A   C     C  3   C  "   &D  *   ID  *   tD  '   D     M          W   Z           8   K   s           
          7   o   |          =       
   {      6   q       k   P       u   ;          w                                #   U         )          $   0       ?   	   "       :       >   <   1      b   E                         ]   ~      _   S      i       %   \   a                 !   N           G   D                     &   I           @   (       r   *   [       V   ,         X                   -       d      j   e   O             J   A   n      Q   '   L      .   +      z   t   ^      5      l   R   g   4          }   B   c      3   v         f      `       m   Y       T   y   9   x              C      p         h      /                       H   2   F    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Invalid profile name '%s' - bad regular expression
 %s: Regex error: trailing '\' escape character
 %s: Regex grouping error: Exceeded maximum nesting of {}
 %s: Regex grouping error: Invalid close ], no matching open [ detected
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write %s
 %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error for %s%s%s at line %d: %s
 AppArmor parser error,%s%s line %d: %s
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Cached load succeeded for "%s".
 Cached reload succeeded for "%s".
 Can't create cache directory: %s
 Can't update cache directory: %s
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Could not process include directory '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing policydb rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 ERROR replacing aliases for profile %s, failed to load
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read binary profile or cache file %s: %s.
 Error: Could not read cache file '%s', skipping...
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Feature buffer full. File in cache directory location: %s
 Found unexpected character: '%s' Internal error generated invalid %s perm 0x%x
 Internal error generated invalid DBus perm 0x%x
 Internal error generated invalid perm 0x%llx
 Internal: unexpected %s mode character '%c' in input Internal: unexpected DBus mode character '%c' in input Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile flag attach_disconnected conflicts with no_attach_disconnected Profile flag chroot_attach conflicts with chroot_no_attach Profile flag chroot_relative conflicts with namespace_relative Profile flag mediate_deleted conflicts with delegate_deleted Profile names must begin with a '/', namespace or keyword 'profile' or 'hat'. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Variable declarations do not accept trailing commas Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 bad mount rule dbus rule: invalid conditional group %s=() deny prefix not allowed fstat failed for '%s' invalid mount conditional %s%s invalid pivotroot conditional '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) mount point conditions not currently supported opendir failed '%s' owner prefix not allow on capability rules owner prefix not allow on dbus rules owner prefix not allow on mount rules owner prefix not allowed owner prefix not allowed on capability rules owner prefix not allowed on dbus rules owner prefix not allowed on mount rules owner prefix not allowed on ptrace rules owner prefix not allowed on signal rules owner prefix not allowed on unix rules profile %s network rules not enforced
 profile %s: has merged rule %s with conflicting x modifiers
 stat failed for '%s' subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unix rule: invalid conditional group %s=() unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2019-06-26 17:08+0000
Last-Translator: Jonatan Nyberg <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-06-27 04:33+0000
X-Generator: Launchpad (build 18991)
Language: sv
 %s: ASSERT: Felaktigt alternativ: %d
 %s: Det gick inte att tilldela minne för underdomänbasens monteringspunkt
 %s: Det inträffade fel vid efterbearbetningen. Avbryter.
 %s: Det inträffade fel vid efterbearbetningen. Avbryter.
 %s: Fel vid efterbearbetning av regex. Avbryter.
 %s: Fel i efterbearbetning av regelkombination. Avbryter.
 %s: Fel i filen. Avbryter.
 %s: Otillåten inledande {, nästling av grupper tillåts inte
 %s: Internt buffertspill upptäcktes, %d tecken överskreds
 %s: Ogiltigt profilnamn '%s' - dåligt reguljärt uttryck
 %s: Regex-fel: efterföljande "\" escape-tecken
 %s: Regex-grupperingsfel: Överskred maximal kapsling av {}
 %s: Regex-grupperingsfel: ogiltig stäng ], ingen matchning öppen [ upptäckt
 %s: Regex-grupperingsfel: Ogiltig avslutande }, ingen inledande { hittades
 %s: Regex-grupperingsfel: Ogiltigt antal objekt inom {}
 %s: Regex-grupperingsfel:  Oavslutad gruppering eller teckenklass, avslutande } förväntas
 %s: Du måste ha rotbehörigheter om du vill köra det här programmet.

 %s: Det går inte att lägga till %s.   %s: Det går inte att analysera indataraden %s
 %s: Det går inte att ta bort %s.   %s: Det går inte att ersätta %s.   %s: Det går inte att skriva %s
 %s: Det gick inte att skriva hela profilposten
 %s: Kunde inte skriva hela profilposten till cache
 %s: Kan inte skriva till utdatafil
 %s: Det går inte att skriva till stdout
 %s: Varning! Du har angett det här programmet som setuid root.
Alla som kan köra det här programmet kan uppdatera dina AppArmor-profiler.

 [network_mode] Ett oväntat tecken hittades: %s Tillägg lyckades för %s.
 AppArmor tolkar fel för  %s%s%s på rad %d: %s
 AppArmor tolkar fel,%s%s på rad %d: %s
 AppArmor-behandlarfel: %s
 Förutsättning: `hat rule' returnerade NULL. Förutsättning: local_profile rule returnerade NULL. Förutsättning: `change_profile' returnerade NULL. Förutsättning: 'network_rule_' returnerade ett ogiltigt protokoll. Förutsättning: `rule' returnerade NULL. Fel skrivposition
 Cachad laddning lyckades för "%s".
 Cachad återladdning lyckades för "%s".
 Kan inte skapa cachekatalog: %s
 Kan inte uppdatera cachekatalog: %s
 En konflikt har uppstått. Behörigheterna a och w kan inte förekomma samtidigt. Kunde inte öppna "%s" Kunde inte öppna '%s' i '%s' Det gick inte att bearbeta inkludera katalogen "%s" i "%s" Gick inte att kopiera profil: Dålig minnesadress
 Det gick inte att koppla posterna. Slut på minne
 Ett fel inträffade när åtkomstregeln hat skulle läggas till för profilen %s
 FEL vid expandering av variabler för profilen %s, det gick inte att läsa in
 FEL i profilen %s, det gick inte att läsa in
 FEL vid sammanfogning av regler för profilen %s. Det gick inte att läsa in
 FEL vid behandling av policydb_regler för profil %s, misslyckades med att läsa in
 FEL vid behandling av reguljära uttryck för profilen %s, det gick inte att läsa in
 FEL: Profilen %s innehåller principelement som inte kan användas tillsammans med den här kerneln:
	'*', '?', teckenintervall och alterneringar är inte tillåtna.
	'**' får endast användas i slutet av en regel.
 FEL vid byte av alias för profil %s, kunde inte läsa in
 Fel: Det gick inte att lägga till katalogen %s i sökvägen.
 Fel: Det gick inte att tilldela minne
 Fel: det gick inte att läsa binär profil eller cachefilen %s: %s.
 Fel: Det gick inte att läsa cachefilen %s, hoppar över...
 Fel: Det gick inte att läsa profilen %s: %s.
 Fel: Slut på minne.
 Fel: baskatalogen %s är inte en katalog. Hoppar över.
 Exec-kvalificeraren %c%c är ogiltig. En kvalificerare som står i konflikt med den har redan angetts. Exec-kvalificeraren %c är ogiltig. En kvalificerare som står i konflikt med den har redan angetts Exec-kvalificeraren 'i' felaktig, kvalificerare i konflikt med denna har angetts Det gick inte att skapa aliaset %s -> %s
 Funktionsbuffert full. Fil i cachekatalogsplats: %s
 Oväntat tecken hittades: %s Internt fel genererat ogiltigt %s perm 0x%x
 Internt fel genererat ogiltigt DBus perm 0x%x
 Ett internt fel genererade en ogiltig behörighet 0x%llx
 Internt: oväntat %s-lägetecken "%c" i inmatning Internt: oväntat DBus-lägestecken "%c" i inmatning Internt: lägestecknet %c i indata var oväntat Ogiltig kapacitet %s. Ogiltigt läge. x måste föregås av någon av exec-kvalificerarna i, p, c eller u Ogiltigt läge. x måste föregås av någon av exec-kvalificerarna i, p eller u Ogiltigt läge. I nekanderegler måste x föregås av någon av exec-kvalificerarna i, p eller u Ogiltig nätverkspost. Ogiltig profilflagga: %s. Minnestilldelningsfel: Det gick inte att ta bort %s:%s. Minnestilldelningsfel: Det gick inte att ta bort ^%s
 Minnestilldelningsfel. Slut på minne Slut på minne
 VARNING! Felaktig stegbuffert %p pos %p tillägg %p storlek %d upplösn %p
 Åtkomst nekas
 Åtkomst nekad; försökte ladda en profil medan den är begränsad?
 Profilen finns redan
 profilbifogning måste börja med ett '/'. Profilen matchar inte signaturen
 Profilen följer inte protokollet
 Profilen finns inte
 Profilflaggan debug är inte längre giltig. Profilflagga attach_disconnected skapar konflikt med no_attach_disconnected Profilflagga chroot_attach skapar konflikt med chroot_no_attach Profilflagga chroot_relative skapar konflikt med namespace_relative Profilflagga mediate_deleted skapar konflikt med delegate_deleted Profilnamn måste börja med ett '/', namnplats eller nyckelord 'profile' eller 'hat'. Det finns inte stöd för profilversionen i AppArmor-modulen
 Borttagning lyckades för %s.
 Ersättning lyckades för %s.
 Kunde inte öppna %s - %s
 Med den obegränsade exec-kvalificeraren (%c%c) tillåts det att vissa farliga miljövariabler skickas till den obegränsade processen. Se 'man 5 apparmor.d' om du vill ha mer information.
 Okänt fel (%d): %s
 Okänd mönstertyp
 Den booleska variabeln %s, som inte har ställts in, används i ett if-uttryck Kvalificerarna med versalerna "RWLIMX" har tagits bort. Ändra dem till gemener.
Se man-sidan för apparmor.d(5) om du vill ha mer information.
 Variabel deklarationer tillåter inte släpande kommatecken Varning från %s (%s%sline %d): %s Varning: Det gick inte att hitta en lämplig fs i %s. Den kanske inte har monterats.
Åsidosätt med -subdomainfs.
 dålig monteringsregel dbus-regel: ogiltig villkorlig grupp %s=() neka prefixet inte tillåtet fstat misslyckades för "%s" ogiltigt monteringsvillkorlig %s%s ogiltigt pivotroot-villkorlig "%s" link- och exec-behörigheter är i konflikt med en filregel som använder -> link-behörigheter är inte tillåtna i en namngiven profilövergång.
 radslutstecken saknas? (post: %s) monteringspunktsförhållanden stöds för närvarande inte opendir misslyckades '%s' ägarprefix tillåter inte på kapacitetsregler ägarprefix tillåter inte dbus-regler ägarprefix tillåter inte på monteraregler ägarprefix inte tillåtet ägarprefix inte tillåtet på kapacitetsregler ägarprefix inte tillåtet på dbus-regler ägarprefix inte tillåtet på monteringsregler ägarprefix inte tillåtet på ptrace-regler ägarprefix inte tillåtet på signalregler ägarprefix inte tillåtet på unix-regler profil %s nätverksregler ej verkställda
 profil %s har sammanfogat regel %s med motstridiga x modifierare
 stat misslyckades för '%s' deluppsättning kan bara användas med länkregler. det gick inte att skapa arbetsyta
 det gick inte att serialisera profilen %s
 unix-regel: ogiltig villkorlig grupp %s=() osäker regel saknar exec-behörigheter                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              
      l   
             m      
   _  <   m  (          #                   )    J  _        V  5   e  &                         #                                      	   
       %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: FULL NAME <EMAIL@ADDRESS>
PO-Revision-Date: 2019-11-14 12:33+0000
Last-Translator: Swahilinux Administration <admin@swahilinux.org>
Language-Team: Swahili <sw@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-11-15 04:30+0000
X-Generator: Launchpad (build c597c3229eb023b1e626162d5947141bf7befb13)
 %s: [chaguzi]
  chaguzi:
  -q | --quiet Usichapishe jumbe yoyote
  -h | --help Chapisha msaada
 Dosari - '%s'
 Labda - hamna ruhusa ya kutosha ili kuamua kama ipo.
 Labda - kiolesura cha faragha hakipo.
 La - ilizimwa kwenye washi.
 La - haipo kwenye mfumo huu.
 Ndio
 chaguo lisilojulikana '%s'
 chaguo lisilojulikana au lisilofaa
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  %      D  5   l      @     A  <   a  >     $     2     >   5  G   t  =          $        9     V  )   t            !               &   /  $   V  C   {                  ;        D     W  !   o  $                          -   #     Q     m      r   %
     
     6               $
     
       C     j     =   h  R     u     A   o  m               2   @     s  t        j  Y   6  B     )     w     D   u  <     l     f   d  #     T     Q   D  =          [   X  f                                            "                 $   #      
           
                                     %   !                                     	                        %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 Addition succeeded for "%s".
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Couldn't merge entries. Out of Memory
 ERROR in profile %s, failed to load
 Exec qualifier 'i' invalid, conflicting qualifier already specified Found unexpected character: '%s' Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 03:28+0000
Last-Translator: Priyavert <Unknown>
Language-Team: AgreeYa Solutions<linux_team@agreeya.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: ta
 %s: உறுதிசெய்தல்: செல்லாத விருப்பத்தேர்வு: %d
 %s: துணைக்களதள ஏற்ற நிலைக்கு நினைவகத்தை ஒதுக்க முடியவில்லை
 %s: பின்செயல்முறை விதிகளை இணைப்பதில் பிழைகள் உள்ளன. இடைனிருத்தப்படுகிறது.
 %s: கோப்பில் பிழைகள் உள்ளன. இடைனிருத்தப்படுகிறது.
 %s: சட்டவிரோத திறப்பு {, நெஸ்டிங் குழுக்களுக்கு அனுமதி இல்லை
 %s: உள் பஃபரின் வரம்புமீறல் கண்டறியப்பட்டுள்ளது, %d எழுத்துக்கள் மீறப்பட்டுள்ளன
 %s: ரீஜெக்ஸ் குழு சேர்ப்பில் பிழை: செல்லாத மூடுதல் }, பொருந்தும் திறப்பு { கண்டறியப்படவில்லை
 %s: ரீஜெக்ஸ் குழு சேர்ப்பில் பிழை: {} இடையிலான பொருட்களின் செல்லாத எண்ணிக்கை
 %s: "%s" சேர்க்க முடியவில்லை.   %s: உள்ளீட்டு வரி '%s'யை விளக்க முடியவில்லை
 %s: "%s" நீக்க முடியவில்லை.   %s: "%s" மாற்றியமைக்க முடியவில்லை.   %s: முழு விவர உள்ளீட்டையும் எழுத முடியவில்லை
 %s: stdout-ல் எழுத முடியவில்லை
 "%s"க்கான கூடுதல் சேர்ப்பு வெற்றி பெற்றது.
 உறுதிசெய்தல்: ‘ஹேட் விதி’ மதிப்பின்றி திருப்பப்பட்டது. உறுதிசெய்தல்: ‘விதி’ மதிப்பின்றி திருப்பப்பட்டது. மோசமான எழுதுநிலை
 உள்ளீடுகளை சேர்க்க முடியவில்லை. நினைவில் இல்லை
 %s விவரத்தில் பிழை, எற்றுதல் தோல்வியுற்றது
 செயலாக்க தகுதி 'i' செல்லாது, முரண்படும் தகுதி ஏற்கனவே குறிப்பிடப்பட்டுள்ளது எதிர்பாராத எழுத்தை கண்டுள்ளது: '%s' நினைவக ஒதுக்கீட்டு பிழை. நினைவில் இல்லை
 பேனிக் மோசமான கூடுதல் பஃபர் %p pos %p ext %p அளவு %d res %p
 அனுமதி மறுக்கப்படுகிறது
 விவரம் ஏற்கனவே உள்ளது
 விவரம் கையொப்பத்துடன் பொருந்தவில்லை
 விவரம் நெறிமுறையுடன் பொருந்தவில்லை
 விவரம் இல்லை
 "%s"க்கான நீக்கம் வெற்றி பெற்றது.
 "%s"க்கான மாற்று வெற்றி பெற்றது.
 %s - %s திறக்க முடியவில்லை
 வரிசை எழுத்தின் முடிவு காணப்படவில்லை? (உள்ளீடு: %s) பணி பகுதியை உருவாக்க முடியவில்லை
 %s விவரத்தை வரிசைப்படுத்த முடியவில்லை
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                $      ,       8   z  9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:31+0000
Last-Translator: i18n@suse.de
Language-Team: Thai <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: th
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 
      l   
             m      
   _  <   m  (          #                   )  |  J          G  M   T  1     2     -        5     ;  $   U                                   	   
       %s: [options]
  options:
  -q | --quiet        Don't print out any messages
  -h | --help         Print help
 Error - '%s'
 Maybe - insufficient permissions to determine availability.
 Maybe - policy interface not available.
 No - disabled at boot.
 No - not available on this system.
 Yes
 unknown option '%s'
 unknown or incompatible options
 Project-Id-Version: apparmor
Report-Msgid-Bugs-To: FULL NAME <EMAIL@ADDRESS>
PO-Revision-Date: 2018-05-19 23:10+0000
Last-Translator: Kudret EMRE <kudretemre@hotmail.com>
Language-Team: Turkish <tr@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
 %s: [seçenekler]
  seçenekler:
  -q | --quiet        Hiçbir mesajı gösterme
  -h | --help         Yardımı görüntüler
 Hata - '%s'
 Belki - kullanılabilir olup olmadığını denetlemek için yetersiz yetki.
 Belki - policy arayüzü kullanılabilir değil.
 Hayır - önyüklemede devredışı bırakıldı.
 Hayır - Bu sistemde kullanılabilir değil.
 Evet
 bilinmeyen seçenek '%s'
 bilinmeyen veya uyumsuz seçenekler
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           9        O                <   	  6   F  >   }  $     2     >     G   S  =     R     :   ,     g  $               )          w   *            !             	  &   /	  9   V	  $   	  3   	  7   	     !
  2   
  "     &   +     R  0   i  D     C         #  1   D  E   v            ;         
     3
  !   K
  $   m
     
  1   
     
      
       /   1  u   a  -             !    A  #     @     ;   -  H   i  +     F     A   %  V   g  @     m     P   m       &               +   1     ]     y  $   
      2  $   S      x       -     R     -   3  M   a  G          .          !        @  4   X  T     S     "   6  .   Y  Y               K        W     h     }            >     #     *   )     T  7   j       (   <  #   e  "                                  9   #             4         '          	                   *       6       8   0                &          5      7   ,   1   3          %                 .                    )   $                +   -   "   
       
   (           !       /          2       %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Couldn't merge entries. Out of Memory
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Found unexpected character: '%s' Internal: unexpected mode character '%c' in input Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 03:41+0000
Last-Translator: Ömer Kehri <Unknown>
Language-Team: turkish <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: tr
 %s: ASSERT: Geçersiz seçenek: %d
 %s: subdomainbase bağlantı noktası için bellek ayrılamadı
 %s: Regex sonrası işlemlerde hata bulundu. Durduruluyor.
 %s: Kural birleştirme sonrası işlemlerde hata bulundu. Durduruluyor.
 %s: Dosyada hatalar bulundu. Durduruluyor.
 %s: Kural dışı açık {, iç içe konan gruplamalara izin verilmez
 %s: Dahili ara bellek taşması saptandı, %d karakter aşıldı
 %s: Regex gruplama hatası: Geçersiz kapama }, karşılığı olan bir { bulunamadı
 %s: Regex gruplama hatası: {} içinde geçersiz öğe sayısı
 %s: Regex gruplama hatası: Kapatılmamış gruplama ya da karakter sınıfı, kapama karakteri } bekleniyor
 %s: Bu programı çalıştırabilmek için root yetkilerine ihtiyacınız var.

 %s: "%s" eklenemedi.   %s: Giriş satırı '%s' incelenemedi
 %s: "%s" silinemedi.   %s: "%s" değiştirilemedi.   %s: Profil girdisinin tamamı yazılamadı
 %s: stdout'a yazılamadı.
 %s: Uyarı! Bu programın setuid değeri root olarak ayarlanmış.
Bu programı çalıştıracak herkes AppArmor profillerinizi değiştirebilir.

 "%s" için ekleme başarılı oldu.
 AppArmor inceleyici hatası: %s
 Assert: `hat rule' NULL döndürdü. Assert: `rule' NULL döndürdü. Hatalı yazma pozisyonu
 Girdiler birleştirilemiyor. Yetersiz bellek
 HATA: %s profili için değişkenler genişletilemedi, yükleme başarısız oldu
 HATA: %s profili, yükleme başarısız oldu
 HATA: %s profilinin kuralları birleştirilemedi, yükleme başarısız oldu
 HATA: %s profilinin regex'leri işlenemedi, yükleme başarısız oldu
 HATA: %s profili bu kernel ile kullanılamayacak bazı ilke öğeleri içeriyor:
	'*', '?', karakter aralıkları ve sırayla birbirini izlemelere izin verilmiyor.
	'**' sadece bir kuralın sonunda kullanılabilir.
 Hata:  %s dizini arama yollarına eklenemedi.
 Hata: Bellek tahsis edilemedi.
 Hata: %s profili okunamadı: %s.
 Hata: Yetersiz bellek.
 Hata: %s temel dizini bir dizin değil, atlanıyor.
 Çalıştırma niteleyicisi '%c' geçersiz, çakışan niteleyici zaten belirtilmiş Çalıştırma niteleyicisi 'i' geçersiz, çakışan niteleyici zaten belirtilmiş Beklenmeyen karakter bulundu: '%s' Dahili: girdide beklenmeyen mod karakteri '%c' Geçersiz mod; 'x', çalıştırma değişkenleri 'i', 'p' ya da 'u'dan sonra gelmelidir. Bellek ayırma hatası. Yetersiz bellek
 PANİK hatalı arttırma arabelleği %p pozisyon %p ext %p boyut %d res %p
 İzin verilmedi
 Profil zaten mevcut
 Profil imzası tutmuyor
 Profil protokole uymuyor
 Profil mevcut değil
 Profil sürümü Apparmor modülü tarafından desteklenmiyor
 "%s" için silme başarılı oldu.
 "%s" için değiştirme başarılı oldu.
 %s açılamadı - %s
 If deyimi içinde ayarlanmamış boolean değişkeni %s Büyük harfli niteleyiciler "RWLIMX" yakında eskiyecektir, bunları küçük harfe çevirin
Ayrıntılar için apparmor.d(5) manual sayfasına bakın.
 eksik satır sonu karakteri? (girdi: %s) çalışma alanı oluşturulamadı
 %s profili seri hale getirilemedi
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:00+0000
Last-Translator: AppArmor list <apparmor@lists.ubuntu.com>
Language-Team: Uyghur <ug@li.org>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: ug
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           $     ,      
     
  <     0   >  3   o  6     >     $     2   >  >   q  7     9     G   "
  G   j
  =   
  R   
  :   C     ~  $               )     2   "  #   U     y  w     /        @  0   ^  '          !     +     '      /   H     x             "     !     !     2   2     e     y  0     *     &     ,     9   E  $     3     ?     7        P  7     2   <  "   o  &          0     F     D   H  C                %         -  0   N  -     6     1          J   -  E   x  W             -  0   G  .   x       
          ;          ?   ,     l  )     !     $          (     F   5  :   |  >     <     M   3  1                        	            /     u     3   s  !     [        %     4     L     b  "     4     :     -      .   B      q   *      $      %            &   !  <   ;!     x!  (   !     !     !  $   !    "  2   #  ~   #     Z$     $     `%     &  O   &  ~   &  }   u'  t   '     h(     )     )     *     O+  w   ,  +   ,  T   ,  /   -  /   G-  R   w-  \   -  N   '.  2   v.     .  K   /  /   /  J   0  G   [0  3   0  5   0  ?   
1  ;   M1  X   1  1   1  )   2  @   >2  H   2  A   2  ?   
3  T   J3  +   3  5   3  W   4  i   Y4  X   4  ]   5     z5  P   6     W6  y   6     W7  j  7  x   J9  a   9  D   %:  N   j:  6   :  i   :     Z;     <     <  A   P=  9   =  7   =  <   >  s   A>  a   >     ?  r   ?  /   @     ;@     @     iA  1   A  7   /B  [   gB  Z   B  0   C  &   OC  $   vC  n   C  '   
D     2D  !   D  L   D  =   )E  =   gE     E  C   E  d   	F  X   nF  \   F  Z   $G     G  T   )H  /   ~H  )   H  ,   H  7  I  )   =J  '   gJ  s   J  (  K  _   ,L  :   L    L  '   M  B   M  8   :N  *   sN  1   N     N  }   [O  K   O  }   %P  8   P  b   P  \   ?Q  ]   Q  C   Q  o   >R  }   R  7   ,S  o   dS  @   S  _   T  S   uT     y   5   l   4   "              |   A          !   {   .   T   z   D   %   +   f              e       w   /   Y       i      G   `           \   U   @           g   b       Z   t          o   h          ;       )   F   p   &       ?               7   u   >   m   3   
   ]   E   X      }      #   6      $      R      8       P           ,   a   I          L             =   r      n   M   ^   W   2   j       <   9       V       k                     c   [          v   
      '   :      N       0                  Q         H          x   _   s           	          q          ~             C   K       *       -   S   O          J   1   d          B   (    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Invalid profile name '%s' - bad regular expression
 %s: Regex grouping error: Exceeded maximum nesting of {}
 %s: Regex grouping error: Invalid close ], no matching open [ detected
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write entire profile entry to cache
 %s: Unable to write to output file
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error for %s%s%s at line %d: %s
 AppArmor parser error,%s%s line %d: %s
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Cached load succeeded for "%s".
 Cached reload succeeded for "%s".
 Can't create cache directory: %s
 Can't update cache directory: %s
 Conflict 'a' and 'w' perms are mutually exclusive. Could not open '%s' Could not open '%s' in '%s' Could not process include directory '%s' in '%s' Couldn't copy profile: Bad memory address
 Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing policydb rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 ERROR replacing aliases for profile %s, failed to load
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Feature buffer full. File in cache directory location: %s
 Found unexpected character: '%s' Internal error generated invalid DBus perm 0x%x
 Internal error generated invalid perm 0x%llx
 Internal: unexpected DBus mode character '%c' in input Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Permission denied; attempted to load a profile while confined?
 Profile already exists
 Profile attachment must begin with a '/'. Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile flag attach_disconnected conflicts with no_attach_disconnected Profile flag chroot_attach conflicts with chroot_no_attach Profile flag chroot_relative conflicts with namespace_relative Profile flag mediate_deleted conflicts with delegate_deleted Profile names must begin with a '/', namespace or keyword 'profile' or 'hat'. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unknown error (%d): %s
 Unknown pattern type
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Variable declarations do not accept trailing commas Warning from %s (%s%sline %d): %s Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 bad mount rule deny prefix not allowed fstat failed for '%s' invalid mount conditional %s%s invalid pivotroot conditional '%s' link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) mount point conditions not currently supported opendir failed '%s' owner prefix not allow on capability rules owner prefix not allow on dbus rules owner prefix not allow on mount rules owner prefix not allowed profile %s network rules not enforced
 profile %s: has merged rule %s with conflicting x modifiers
 stat failed for '%s' subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 12:27+0000
Last-Translator: yurchor <Unknown>
Language-Team: Ukrainian <translation@linux.org.ua>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: uk
 %s: ASSERT: нечинний параметр: %d
 %s: Не вдалось виділити пам'ять для точки монтування основи піддомену
 %s: У процесі остаточної обробки виявлено помилки. Аварійне завершення.
 %s: У процесі остаточної обробки виявлено помилки. Аварійне завершення.
 %s: У процесі остаточної обробки формального виразу виявлено помилки. Аварійне завершення.
 %s: Під час остаточної обробки складених правил виявлено помилки. Аварійне завершення.
 %s: В файлі знайдені помилки. Переривається.
 %s: Неприпустима відкрита дужка {, вузлове групування не дозволяється
 %s: Виявлено внутрішнє переповнення буфера, перевищення у %d символів
 %s: некоректна назва профілю, «%s» — помилковий формальний вираз
 %s: помилка групування формального виразу: перевищено максимальний рівень вкладеності у дужках {}
 %s: помилка групування формального виразу: нечинна завершальна дужка ], не знайдено відповідної початкової дужки [
 %s: Помилка групування формального виразу: нечинна завершальна дужка }, не знайдено відповідної початкової дужки {
 %s: Помилка групування формального виразу: нечинна кількість пунктів у дужках {}
 %s: Помилка групування формального виразу: не завершено групу або клас символів, не знайдено завершальної дужки }
 %s: Для вживання цієї програми потрібні привілеї адміністратора.

 %s: Неможливо додати "%s".   %s: Не вдається проаналізувати вхідний файл "%s"
 %s: Неможливо вилучити "%s".   %s: Неможливо замінити "%s".   %s: Не вдається записати повний запис профілю
 %s: не вдалося записати увесь запис профілю до кешу
 %s: не вдалося записати результати до файла
 %s: Неможливо записати в stdout
 %s: Попередження! Ви вказали для цієї програми setuid root.
Будь-хто, хто може запускати цю програму, може змінювати
ваші профілі AppArmor.

 (network_mode) Знайдено неочікуваний символ: '%s' Успішне додавання для "%s".
 Помилка аналізатора AppArmor, %s%s%s, рядок %d: %s
 Помилка аналізатора AppArmor,%s%s, рядок %d: %s
 Помилка аналізатора AppArmor: %s
 Виявлено: 'hat rule' повернула NULL. Виявлено: `local_profile rule' повернула NULL. Виявлено: `change_profile' повернула NULL. Виявлено: «network_rule» повернула нечинний протокол. Виявлено: `rule' повернула NULL. Погана позиція запису
 Успішне завантаження кешу для «%s».
 Успішне перезавантаження кешу для «%s».
 Не вдалося створити каталог кешу: %s
 Не вдалося оновити каталог кешу: %s
 Конфлікт дозволів, 'a' та 'w' є взаємовиключними. Не вдалося відкрити «%s» Не вдалося відкрити «%s» у «%s» Не вдалося обробити каталог включення «%s» у «%s» Не вдалося скопіювати профіль: помилкова адреса пам’яті
 Не вдалося об'єднати записи. Не вистачає пам'яті
 ПОМИЛКА додавання правила доступу hat для профілю %s
 ПОМИЛКА при розширенні змінних для профілю %s; завантаження зазнало невдачі
 ПОМИЛКА у профілі %s, не вдалося завантажити
 ПОМИЛКА під час об’єднання правил для профілю %s, не вдалося завантажити
 ПОМИЛКА обробки правил policydb для профілю %s, не вдалося завантажити
 ПОМИЛКА обробки формальних виразів для профілю %s, не вдалося завантажити
 ПОМИЛКА! профіль %s містить елементи політики, що не можуть бути використані з цим ядром системи:
	'*', '?', діапазони символів і варіанти не дозволено.
	можна використовувати лише '**' наприкінці правила.
 ПОМИЛКА заміри псевдонімів для профілю %s, не вдалося завантажити
 Помилка: Не вдалося додати каталог %s до шляху пошуку.
 Помилка: Не вдалося виділити пам'ять.
 Помилка: Не вдалось прочитати профіль %s: %s.
 Помилка: недостатньо пам'яті.
 Помилка: базовий каталог %s - це не каталог; пропускається.
 Класифікатор виконання «%c%c» - нечинний, раніше визначено класифікатор, що з ним конфліктує Класифікатор виконання «%c» - нечинний, раніше визначено класифікатор, що з ним конфліктує Класифікатор виконання «i» нечинний, попередньо визначено класифікатор, що конфліктує з ним Не вдалося створити псевдонім %s -> %s
 Переповнено буфер можливостей. Файл на місці каталогу кешу: %s
 Знайдено несподіваний символ: "%s" Внутрішня помилка, спричинена нечинними правами доступу DBus 0x%x
 Внутрішня помилка, спричинена нечинним дозволом 0x%llx
 Внутрішня помилка: неочікуваний символ режиму DBus, «%c», у вхідних даних Внутрішнє: неочікуваний символ режиму '%c' у вхідній інформації Нечинна характеристика %s. Нечинний режим, перед «x» має бути вказано класифікатор виконання «i», «p», «c» або «u» Нечинний режим, перед «x» має бути вказано класифікатор виконання «i», «p», або «u» Нечинний режим, перед «x» має бути вказано класифікатор виконання «i», «p», або «u» Нечинний мережний елемент. Нечинний прапорець профілю: %s. Помилка виділення пам'яті: Неможливо вилучити %s:%s. Помилка виділення пам'яті: Не вдалося вилучити ^%s
 Помилка виділення пам'яті. Недостатньо пам’яті Не вистачає пам'яті
 PANIC неправильне збільшення буфера %p поз %p розш %p розм %d рес %p
 Відмовлено у доступі
 Немає доступу. Здійснено спробу завантажити профіль у обмеженому режимі?
 Профіль вже існує
 Долучення до профілю має починатися з «/». Профіль не збігається з підписом
 Профіль не сумісний з протоколом
 Профіль не існує
 Прапорець профілю "debug" більше не діє. Прапорець профілю attach_disconnected конфліктує з no_attach_disconnected Прапорець профілю chroot_attach конфліктує з chroot_no_attach Прапорець профілю chroot_relative конфліктує з namespace_relative Прапорець профілю mediate_deleted конфліктує з delegate_deleted Назви профілів мають починатися з «/», назви простору назв або ключового слова «profile» чи «hat». Версія профілю не підтримується модулем Apparmor
 Успішне вилучення для "%s".
 Успішна заміна для "%s".
 Неможливо відкрити %s - %s
 Необмежений класифікатор виконання (%c%c) дозволяє передачу деяких критичних змінних середовища необмеженому процесу; виконайте команду 'man 5 apparmor.d', щоб дізнатися більше.
 Невідома помилка (%d): %s
 Невідомий тип взірця
 Обнулення булівської змінної %s, яку використано в виразі умови Класифікатори у верхньому регістрі "RWLIMX" не рекомендовано, будь ласка, переведіть їх у нижній регістр
Перегляньте сторінку довідки apparmor.d(5), щоб дізнатися більше.
 У оголошеннях змінних не може бути завершальних ком Попередження від %s (%s%sрядок %d): %s Попередження: на %s не вдалося знайти відповідної файлової системи, може його не змонтовано?
Використайте параметр --subdomainfs, щоб обійти проблему.
 помилкове правило mount не можна використовувати префікс deny помилка fstat під час обробки «%s» некоректна умова mount %s%s некоректна умова pivotroot, «%s» дозволи посилання і виконання конфліктують у правилі файлів за допомогою -> дозволи посилань не дозволено для перенесення іменованого профілю.
 відсутній символ кінця рядка? (елемент: %s) підтримки умов на точку монтування у поточній версії не передбачено помилка opendir під час оброби «%s» у правилах capability не можна використовувати префікс owner у правилах dbus не можна використовувати префікс owner у правилах mount не можна використовувати префікс owner не можна використовувати префікс owner правила щодо мережі профілю %s не буде застосовано примусово
 профіль %s: містить об’єднане правило %s з конфліктом x модифікаторів
 помилка stat під час обробки «%s» підмножину можна використовувати лише з правилами посилань. неможливо створити робочу ділянку
 неможливо перетворити профіль %s в послідовну форму
 небезпечне правило без дозволів на виконання                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:32+0000
Last-Translator: Phan Vĩnh Thịnh <teppi82@gmail.com>
Language-Team: Vietnamese <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: vi
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       $      ,       8     9               Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-14 22:32+0000
Last-Translator: Jean Cayron <jean.cayron@gmail.com>
Language-Team: Walloon <i18n@suse.de>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: wa
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       %      D  5   l      @     A  <   a  >     $     2     >   5  G   t  =          $        9     V  )   t            !               &   /  $   V  C   {                  ;        D     W  !   o  $                          -   #     Q     m      7   '
  e   _
  d   
  /   *  J   Z  k     }     c     "     D   
  $   [
  1   
  F   
  %   
  (     7   H  0          H     5     T   O  =     *     #   
  ;   1     m     |  ,     4     "     *     >   J       G     (     8                                            "                 $   #      
           
                                     %   !                                     	                        %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 Addition succeeded for "%s".
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Couldn't merge entries. Out of Memory
 ERROR in profile %s, failed to load
 Exec qualifier 'i' invalid, conflicting qualifier already specified Found unexpected character: '%s' Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 04:04+0000
Last-Translator: Novell Language <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: xh
 %s: BANGA UBUNYANI: Isikhethwa esingasebenzisekiyo: %d
 %s: Uvimba wolwazi akakwazanga kwabelwa indawo yogxumeko kwisiseko sommandla wolawulo owonganyelweyo
 %s: Kufunyenwe imposiso xa kudityaniswa imithetho ngethuba lakamva lokuqhubela phambili. Kulahliwe.
 %s: Kufunyenwe iimposiso kwifayili. Kulahliwe.
 %s: Ukuvula okungekho mthethweni {, amaqela azinziswe kokunye awavunyelwa
 %s: Kuchongwe ukuphuphuma kwangaphakathi kwesigcini sethutyana, %d zigqithisile iimpawu ezithatha izithuba
 %s: Imposiso yokubekwa ngokwamaqela kwe-regex: ukuvala okungasebenzisekiyo }, akukho ngqinelwano luvulekileyo { luchongiweyo
 %s: Imposiso yokubekwa ngokwamaqela kwe-regex: Inani lamanqaku elingasebenzisekiyo phakathi kwe-{}
 %s: Akukwazeki ukufakela i-"%s".   %s: Akukwazekanga ukwahlukanisa umgca wokungxalwa njengesiqalo '%s'
 %s: Akukwazeki ukushenxisa i-"%s".   %s: Akukwazeki ukubeka okunye endaweni ye-"%s".   %s: Akukwazekanga ukubhala ungeniso olupheleleyo lwenkangeleko yecala
 %s: Akukwazeki ukubhalela kwi-stdout
 Ukufakela kuphumelele ukwenzela i-"%s".
 Banga ubunyani: `umthetho we-hat' ubuyise  OKUNGEYONTO. Banga ubunyani: `umthetho' ubuyise  OKUNGEYONTO. Indawo yokubhala engalunganga
 Amangeniso awakwazanga kumanyaniswa. Siphelile Isithuba Kuvimba Wolwazi
 IMPOSISO kwinkangeleko yecala %s, isilele ukulayisha
 Isichazi esiqhutywayo esingu-'i' asisebenziseki, isichazi esingquzulanayo sesixeliwe Kufunyenwe uphawu oluthatha isithuba olungalindelekanga: '%s' Imposiso yokwabela okuthile uvimba wolwazi Siphelile isithuba kuvimba wolwazi
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Imvume yaliwe
 Inkangeleko yecala seyikhona
 Inkangeleko yecala ayingqinelani nomtyibelo
 Inkangeleko yecala ayiyithobeli inkqubo elandelwayo
 Inkangeleko yecala ayikho kwayona
 Ukushenxisa kuphumelele ukwenzela i-"%s".
 Ukubeka okunye endaweni yokunye kuphumelele ukwenzela i-"%s".
 Ayikwazanga kuvuleka i-%s - %s
 ulahlekelwe sisiphelo somgca wophawu oluthatha isithuba? (ungeniso: %s) akukwazekanga ukudala indawo yomsebenzi
 akukwazekanga ukulandelelanisa inkangeleko yecala ye-%s
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  R        m   <             <     0   N  3     6     >     $   )  2   N  >     G     =   	  R   F	  :   	     	  $   	     
     0
  )   N
     x
  w   
  /        ?     ]  !   x  +     '     /             <  2   P  &     ,     9     $   
  3   6
  7   j
     
  2   V  "     &          0     F     D   b  C                 -   -  1   [       J     E     W   5            0     .             7  ;   F            !     $          (     1   4     f                  /   R  u     [     4   T  :     -     (             7  $   W    |        /   :  3   j  3     :     >   
  ,   L  :   y  9     ]     2   L  L     @        
  -   '     U     o  &               ,   N     {  $     !     /     +     0   3     d       5          4     8   !  /   Z  8     9          5          ,         F   3   `   C      C      >   !     [!     x!  )   !  /   !     !  Y   "  R   ["  d   "     #  #   &#  *   J#  &   u#     #  
   #  A   #     $     $     -$     M$     j$  ,   $  /   $     $     $     %      %  4   %  u   %  `   `&  ?   &  @   '  ,   B'  !   o'     '     '  '   '     J   !      	   :              A   (              =   F       -      9                  7          D   3   $      P       L   <          
       0       6      H   K   1   >   2                             8          E           ?   Q             G      *   B       &   @   R                              C   I   "   )   M       5      O            %      #   /   +      ,      4   '       .   
   N   ;    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 04:12+0000
Last-Translator: Novell Language <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: zh_CN
 %s: 声明：无效选项： %d
 %s: 无法为子域基底装入点分配内存
 %s：在后处理中发现错误。正在中止。
 %s：在后处理中发现错误。正在中止。
 %s：在 Regex 后处理中发现错误。正在中止。
 %s: 在组合规则后处理中发现错误。正在中止。
 %s: 文件中发现错误。正在中止。
 %s: 不合法的左侧大括号 {，不允许嵌套分组
 %s: 检测到内部缓冲区溢出，超过 %d 个字符
 %s: Regex 分组错误：无效的右侧花括号 }，未检测到匹配的左侧花括号 {
 %s: Regex 分组错误：{} 内的项目数无效
 %s: Regex 分组错误：组或字符类未关闭，需要右侧花括号 }
 %s：对不起。您需要 root 特权才能运行此程序。

 %s: 无法添加"%s"。   %s: 无法对输入行'%s'进行语法分析
 %s: 无法去除"%s"。   %s: 无法替换"%s"。   %s: 无法写入整个配置文件项
 %s: 无法写入 stdout
 %s：警告！您已将此程序设置为 setuid root。
任何可以运行此程序的人都可以更新 AppArmor 配置文件。

 (network_mode) 发现意外字符：“%s” 添加"%s"成功。
 AppArmor 语法分析器错误：%s
 声明：'hat rule'返回 NULL。 声明：“local_profile rule”返回 NULL。 声明：“change_profile”返回 NULL。 声明：“network_rule”返回无效协议。 声明：`rule'返回 NULL。 写入位置无效
 冲突的“a”和“w”许可权限互相排斥。 无法合并项。内存不足
 为配置文件 %s 添加 hat 访问规则时出错
 扩展配置文件 %s 的变量时出错，无法装载
 配置文件 %s 中存在错误，未能装载
 合并配置文件 %s 的规则时出错，无法装载
 处理配置文件 %s 的 regex 时出错，无法装载
 错误 配置文件 %s 包含不能与此内核一起使用的策略元素：
	不允许“*”、“?”、字符范围，也不允许“或”操作。
	“**”只能在规则结尾处使用。
 错误：无法将目录 %s 添加到搜索路径。
 错误：无法分配内存。
 错误：无法读取配置文件 %s: %s。
 错误：内存不足。
 错误：basedir %s 不是目录，正在跳过。
 执行限定符“%c%c”无效，与已经指定的限定符冲突 Exec 限定符“%c”无效，已指定了与其冲突的限定符 Exec 限定符'i'无效，已指定了和其冲突的限定符 无法创建别名 %s -> %s
 发现意外字符： '%s' 内部错误产生无效的权限 0x%llx
 内部：输入中有意外方式字符“%c” 功能 %s 无效。 模式无效，“x”必须在执行限定符“i”、“p”、“c”或“u”之后 方式无效，“x”前面必须带有 exec 限定符“i”、“p”或“u” 模式无效，在拒绝规则中，“x”不能在执行限定符“i”、“p”或“u”之后 无效网络项。 无效的配置文件标志：%s。 内存分配错误：无法去除 %s:%s。 内存分配错误：无法去除 ^%s
 内存分配错误。 内存不足
 PANIC 无效的递增缓冲区：%p pos %p ext %p size %d res %p
 拒绝许可权限
 配置文件已存在
 配置文件和签名不匹配
 配置文件未遵守协议
 配置文件不存在
 配置文件标志“debug”不再有效。 配置文件版本不受 Apparmor 模块支持
 去除"%s"成功。
 替换"%s"成功。
 无法打开 %s － %s
 无限制 exec 限定符 (%c%c) 允许将一些危险的环境变量传递到无限制的进程；有关细节，请参见“man 5 apparmor.d”。
 取消设置 if 表达式中使用的布尔变量 %s 不允许使用大写限定符 “RWLIMX”，请转换为小写
有关细节，请参见 apparmor.d(5) 手册页。
 警告：无法在 %s 中找到合适的 fs，是否已装入？
使用 --subdomainfs 覆盖。
 链接和执行权限冲突，由于一个文件规则使用 -> 在命名的配置文件转换中，链接权限不受允许。
 是否缺少行结束字符？（项：%s） 子集只能使用链接规则。 无法创建工作区域
 无法序列化配置文件 %s
 不安全规则缺少 exec 许可权限                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  R        m   <             <     0   N  3     6     >     $   )  2   N  >     G     =   	  R   F	  :   	     	  $   	     
     0
  )   N
     x
  w   
  /        ?     ]  !   x  +     '     /             <  2   P  &     ,     9     $   
  3   6
  7   j
     
  2   V  "     &          0     F     D   b  C                 -   -  1   [       J     E     W   5            0     .             7  ;   F            !     $          (     1   4     f                  /   R  u     [     4   T  :     -     (             7  $   W    |  #     5   =  3   s  3     9     ;     ,   Q  *   ~  9     K     9   /  R   i  I             !     A     \  &   w            ,   B     o  !     "     /     +     9   &     `       /     %     4     ;   !  )   ]  ;     =          5     "     *         0   8   M   <      :      ?         >!      [!  )   |!  8   !     !  \   !  R   P"  ^   "     #     #  -   5#  )   c#     #     #  ?   #     #     $     $     9$     Y$  )   m$  +   $     $     $     $     %  4   %  x   %  \   C&  C   &  =   &  &   "'  *   I'     t'     '  $   '     J   !      	   :              A   (              =   F       -      9                  7          D   3   $      P       L   <          
       0       6      H   K   1   >   2                             8          E           ?   Q             G      *   B       &   @   R                              C   I   "   )   M       5      O            %      #   /   +      ,      4   '       .   
   N   ;    %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found during postprocess.  Aborting.
 %s: Errors found during postprocessing.  Aborting.
 %s: Errors found during regex postprocess.  Aborting.
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Regex grouping error: Unclosed grouping or character class, expecting close }
 %s: Sorry. You need root privileges to run this program.

 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 %s: Warning! You've set this program setuid root.
Anybody who can run this program can update your AppArmor profiles.

 (network_mode) Found unexpected character: '%s' Addition succeeded for "%s".
 AppArmor parser error: %s
 Assert: 'hat rule' returned NULL. Assert: 'local_profile rule' returned NULL. Assert: `change_profile' returned NULL. Assert: `network_rule' return invalid protocol. Assert: `rule' returned NULL. Bad write position
 Conflict 'a' and 'w' perms are mutually exclusive. Couldn't merge entries. Out of Memory
 ERROR adding hat access rule for profile %s
 ERROR expanding variables for profile %s, failed to load
 ERROR in profile %s, failed to load
 ERROR merging rules for profile %s, failed to load
 ERROR processing regexs for profile %s, failed to load
 ERROR profile %s contains policy elements not usable with this kernel:
	'*', '?', character ranges, and alternations are not allowed.
	'**' may only be used at the end of a rule.
 Error: Could not add directory %s to search path.
 Error: Could not allocate memory.
 Error: Could not read profile %s: %s.
 Error: Out of memory.
 Error: basedir %s is not a directory, skipping.
 Exec qualifier '%c%c' invalid, conflicting qualifier already specified Exec qualifier '%c' invalid, conflicting qualifier already specified Exec qualifier 'i' invalid, conflicting qualifier already specified Failed to create alias %s -> %s
 Found unexpected character: '%s' Internal error generated invalid perm 0x%llx
 Internal: unexpected mode character '%c' in input Invalid capability %s. Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', 'c', or 'u' Invalid mode, 'x' must be preceded by exec qualifier 'i', 'p', or 'u' Invalid mode, in deny rules 'x' must not be preceded by exec qualifier 'i', 'p', or 'u' Invalid network entry. Invalid profile flag: %s. Memory Allocation Error: Unable to remove %s:%s. Memory Allocation Error: Unable to remove ^%s
 Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Profile flag 'debug' is no longer valid. Profile version not supported by Apparmor module
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 Unconfined exec qualifier (%c%c) allows some dangerous environment variables to be passed to the unconfined process; 'man 5 apparmor.d' for details.
 Unset boolean variable %s used in if-expression Uppercase qualifiers "RWLIMX" are deprecated, please convert to lowercase
See the apparmor.d(5) manpage for details.
 Warning: unable to find a suitable fs in %s, is it mounted?
Use --subdomainfs to override.
 link and exec perms conflict on a file rule using -> link perms are not allowed on a named profile transition.
 missing an end of line character? (entry: %s) subset can only be used with link rules. unable to create work area
 unable to serialize profile %s
 unsafe rule missing exec permissions Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 02:42+0000
Last-Translator: Novell Language <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: zh_TW
 %s: 顯示：無效的選項： %d
 %s: 無法為子網域基地裝載點配置記憶體
 %s：後處理期間發現錯誤。正在中止。
 %s：後處理期間發現錯誤。正在中止。
 %s︰regex 後處理期間發現錯誤。正在中止。
 %s: 結合規則後處理時發現錯誤。正在中止。
 %s: 檔案中發現錯誤。正在中止。
 %s: 非法開啟 {, 不允許巢狀群組
 %s: 偵測到內部緩衝區溢位，超過 %d 個字元
 %s: Regex 群組錯誤：非法關閉 }, 無相符的開啟 { 已偵測到
 %s: Regex 群組錯誤：無效的項目數在 {} 之間
 %s︰Regex 群組錯誤：存在未關閉的群組或字元類別，需要關閉}
 %s︰抱歉。您必須具有根使用者權限才能執行此程式。

 %s: 無法新增 "%s"。   %s: 無法剖析輸入行 '%s'
 %s: 無法移除 "%s"。   %s: 無法取代 "%s"。   %s: 無法寫入整個設定檔項目
 %s: 無法寫入至 stdout
 %s︰警告！您已將此程式設定為 setuid root。
任何可執行此程式的使用者均可更新您的 AppArmor 設定檔。

 (網路模式) 發現非預期的字元︰%s "%s" 附加成功。
 AppArmor 剖析程式錯誤︰%s
 顯示：'hat rule' 傳回 NULL。 顯示：「local_profile rule」傳回 NULL。 提示︰「change_profile」傳回 NULL。 提示︰「network_rule」傳回無效的通訊協定。 顯示：`rule' 傳回 NULL。 不良的寫入位置
 衝突的「a」與「w」許可互不相容。 無法合併項目。記憶體不足
 新增對設定檔 %s 的 hat 存取規則時出錯
 展開設定檔 %s 的變數時發生錯誤，無法載入
 設定檔 %s 中有錯誤，載入失敗
 為設定檔 %s 合併規則時發生錯誤，無法載入
 為設定檔 %s 處理 regexs 時發生錯誤，無法載入
 錯誤 設定檔 %s 包含此核心無法使用的規則元素︰
	不允許使用「*」、「?」、字元範圍和替代項。
	「**」僅可用於規則的末尾。
 錯誤︰無法將目錄 %s 新增至搜尋路徑。
 錯誤：無法配置記憶體。
 錯誤︰無法讀取設定檔 %s︰%s。
 錯誤：記憶體不足。
 錯誤︰基本目錄 %s 不是目錄，正在跳過。
 Exec 修飾詞「%c%c」無效，指定了衝突的修飾詞 Exec 修飾詞「%c」無效，指定了衝突的修飾詞 Exec 修飾語「i」是無效的，已指定衝突的修飾語 無法建立別名 %s -> %s
 找到非預期的字元： '%s' 內部錯誤產生無效許可權 0x%llx
 內部：輸入中存在非預期的模式字元「%c」 功能 %s 無效。 無效模式，「x」的前面必須是 Exec 修飾詞「i」、「p」、「c」或「u」 無效模式，「x」的前面必須是 Exec 修飾詞「i」、「p」或「u」 無效模式，拒絕規則「x」的前面必須是 Exec 修飾詞「i」、「p」或「u」 網路項目無效。 設定檔旗標 %s 無效。 記憶體配置錯誤：無法移除 %s:%s。 記憶體配置錯誤：無法移除 ^%s
 記憶體配置錯誤。 記憶體不足
 PANIC 不良的增量緩衝區 %p pos %p ext %p size %d res %p
 許可權被拒絕
 設定檔已存在
 設定檔不符合簽名
 設定檔不符合通訊協定
 設定檔不存在
 設定檔旗標「debug」不再有效。 Apparmor 模組不支援該設定檔版本
 "%s" 移除成功。
 "%s" 取代成功。
 無法開啟 %s - %s
 未設限 exec 修飾詞 (%c%c) 允許將某些危險環境變數傳遞至未設限程序；如需詳細資料，請參閱 man 5 apparmor.d。
 取消設定 if 運算式中使用的布林變數 %s 大寫修飾詞「RWLIMX」已廢棄，請將其轉換成小寫
如需詳細資料，請參閱 apparmor.d(5) manpage。
 警告︰%s 中找不到適合的 fs，是否已裝載？
請使用 --subdomainfs 覆寫。
 使用 -> 的檔案規則有連結許可權與執行許可權衝突 不允許對指定的設定檔轉換使用連結許可權。
 找不到行尾字元？(項目： %s) 子集只能與連結規則一起使用。 無法建立工作區
 無法序列化設定檔 %s
 不安全規則缺少 exec 許可權                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        %      D  5   l      @     A  <   a  >     $     2     >   5  G   t  =          $        9     V  )   t            !               &   /  $   V  C   {                  ;        D     W  !   o  $                          -   #     Q     m      (   '
  I   P
  S   
  -   
  C     M   `  r     Y   !  !   {  .          "     *   
  %   9
  !   _
  #   
     
     
  9   
  -     S   K  &               L        F  "   Y  #   |  '                        "  6   <  %   s  0                                            "                 $   #      
           
                                     %   !                                     	                        %s: ASSERT: Invalid option: %d
 %s: Could not allocate memory for subdomainbase mount point
 %s: Errors found in combining rules postprocessing. Aborting.
 %s: Errors found in file. Aborting.
 %s: Illegal open {, nesting groupings not allowed
 %s: Internal buffer overflow detected, %d characters exceeded
 %s: Regex grouping error: Invalid close }, no matching open { detected
 %s: Regex grouping error: Invalid number of items between {}
 %s: Unable to add "%s".   %s: Unable to parse input line '%s'
 %s: Unable to remove "%s".   %s: Unable to replace "%s".   %s: Unable to write entire profile entry
 %s: Unable to write to stdout
 Addition succeeded for "%s".
 Assert: 'hat rule' returned NULL. Assert: `rule' returned NULL. Bad write position
 Couldn't merge entries. Out of Memory
 ERROR in profile %s, failed to load
 Exec qualifier 'i' invalid, conflicting qualifier already specified Found unexpected character: '%s' Memory allocation error. Out of memory
 PANIC bad increment buffer %p pos %p ext %p size %d res %p
 Permission denied
 Profile already exists
 Profile does not match signature
 Profile doesn't conform to protocol
 Profile doesn't exist
 Removal succeeded for "%s".
 Replacement succeeded for "%s".
 Unable to open %s - %s
 missing an end of line character? (entry: %s) unable to create work area
 unable to serialize profile %s
 Project-Id-Version: apparmor-parser
Report-Msgid-Bugs-To: <apparmor@lists.ubuntu.com>
PO-Revision-Date: 2013-11-15 04:18+0000
Last-Translator: Novell Language <Unknown>
Language-Team: Novell Language <language@novell.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Launchpad-Export-Date: 2019-04-18 05:33+0000
X-Generator: Launchpad (build 18928)
Language: zu
 %s: ASSERT: Okukhethiwe okuyiphutha: %d
 %s: Ayikwazanga ukuthola ingobolwazi yesixhakathisi se-domain engaphansi
 %s: Amaphutha atholakele ekuhlanganiseni imithetho yangemva kokuphrosesa. Iyayeka.
 %s: Amaphutha atholakale kwifayela. Iyayeka.
 %s: Ukuvula okungekho emthethweni {, ukuvalela amaqoqo akuvunyelwe
 %s: Ingobolwazi yesikhashana yangaphakathi itholakele, %d izinhlamvu ezeqiwe
 %s: Iphutha lokwenza amaqoqo le-regex: Ukuvala okuyiphutha }, akukho ukuvula okufanelanayo { ithungathwe yatholwa
 %s: Iphutha lokwenza amaqoqo le-regex: Inombolo eyiphutha yezinto eziphakathi nendawo {}
 %s: Ayikwazi ukwenezela i-"%s".   %s: Ayikwazi ukunqunta umugqa wokufakiwe '%s'
 %s: Ayikwazi ukususa i-"%s".   %s: Ayikwazi ukushintsha i-"%s".   %s: Ayikwazi ukuyibhala yonke iphrofayili
 %s: Ayikwazi ukukopishela kwi-stdout
 Ukwenezela okulandelwe nge-"%s".
 Assert: `i-hat rule’ ibuye IYIZE. Assert: `i-rule' ibuye IYIZE. Indawo yokukopisha enganembile
 Aykwazanga ukuhlanganisa ama-entry. Ilahlekelwe Yimemori
 IPHUTHA kwiphrofayili %s, ihlulekile ukufaka
 I-exec qualifier u-‘i’ akasebenzi, i-qualifier engqubuzanayo isibonisiwe kakade Ithola uhlamvu olungalindelekile: '%s' Iphutha lokwabiwa kwememori. Ilahlekelwe Yimemori
 Ingobolwazi yesikhashana YOKUTATAZELA okubi %p pos %p ext %p size %d res %p
 Imvume inqatshiwe
 Iphrofayili isiyatholakala kakade
 Iphrofayili ayifanelani nesignisha
 Iphrofayili ayivumelani nephrothokholi
 Iphrofayili ayitholakali
 Ukususa okulandelwe nge-"%s".
 Ushintsho olulandelwe nge-"%s".
 Ayikwazi ukuvula %s - %s
 ilahlekelwe yisiphetho sohlamvu lomugqa? (i-entry: %s) Ayikwzi ukwakha indawo yokusebenzela
 Ayikwazi ukwenza iphrofayili ibe nama-serial %s
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            XmsH_gdXeZxIŁ
:fwd9~T4=O4*tDh!-"
_]o:f9	,u[_h"(˥<4䣿&̍21ԹYʄn$Dh*$s䪌'fݔ^Eе̧0?&-ou˝k:&sJ{5d$ {CBTCL˜t.-M]@V:rǝ^n(2PZ0,Z
Z9hel7h"9(HRZ8|y8Kq*tsW!JL:cA(S m-I/e.i.&M{-ϖr?U;$o3^ C[AJR
 kr&K:~q9ǿJؿvzwKezÝ{Wl7vB)oA7"` L%`I@8Юo?GEQǋ wfpqB؟7 -71܁EM8!Mzuۛ+W4ret_M'@)ӧ ijHDTD&I!U2*pm<OcZpEo)*Քr vMuh'!dJS93rtŅ~>EqT]yK2,MQ SϦw#ltܫ.-./'TTəm M@]1/Y֧`*!?LRq.|3YZ
JVs)P,OgR)6@
ͧp:3iS	9/"L[{dt*r>p8)PU=9eߛ䔟2x~vh2}qt4vfk6ZCپ䡯XF&@
4Nلf3˄_2ʿttcٌ<	&?[=~vصș9\	p8a:{Nlk&rJ;?/D0g:EqCLlиWy+6ye</ޑ{^c^~:\w`;u| v^ݐtC`Cڣ
aXeaguߚ}1CcM
zwwJ+vvSy>a8M-xULó{{o[-4͸|f﨨׈	DV=v2V5Ꮴ@:<\]w㮕!{`vߥSbWf7ݒ` 7@ܽ|`Sbр,02ooN	4|;|w+ʦf'=:tIyq;xybojU;gmr:@;a˃W2ԂyO
+ԜE[I8oQQ7N넙y^]\u_k};}LFֳu)51k?FMV]zE
FF[[6nYMGYޭ={?j6C)U/R72d|Z&GJrU9RgP^^)`iyܜёѵ_tGы'aꜚjý`1ӎl;p{WU."O̿9^+;nJ/N3f6\2h8+%YQAw̛DΖy鬈ՓT 0OΩzAt}z`WDEJ3uo.&uֹ7T?!D/ChNN'Ǘ㋫כ 4_|_a{tu7쎮53mXTQTC ]P񻸇di1WSwz:	U!XP^`RZa 
RRAHvu㳚x' E)zhCh!8^骥fyh3+Hm=cEZ;rk
Px1斍Yo.%,Ó,ϘX6.E9Ƽ3!W>W4]o3
Waݴ0PRNFTQ!<}v9[2y[LC؏Rnib2MRCɶ
#׸{[{F/vA"	ϻͥyW+,DF}<P<ԫZ}#hK m$iX)^C.D>VPdxl)pv<@ѴFru-鶅OԋDf88AXULg:_s?CO%a=Y މIֳ֙:ԝqCKѓSs#TfKvk$%?)P2v*joϡ['RCjoe                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   Xks6_qW݆R,QnkͤJiĚf\/)C=c }_\v4-$y0|e&rvvN JCIqc]E.b_d>2g|tl_"%@T*<IFƴʩP+V)OzcuVfKQ.?{;^Wݩ7It_r^֐$%Dk#22<
-\l+_Vyke{!0P`+x	|6^8fQhڋn&(\I{-\4{,_Mtyt(Ł.RA@ݵ@| }&Ԫk|#3J2I}V!-H~Hy mqV'cjX %=qW*Nr7I-W
'GƘn"$BہlDJ w!znܳoOOAvMN
=d??!g&N
Z
7ia¤ۭGw{#=xd-3[d~l2mF߷YVQKŢ(W$Va\7C,h^L:Ʀ[kkMtWVOIjƳG&]S8qũRG$cɒ28Lxy?ႇX*R $`M~jb69Lx"/)2~H
s#ȕ4K<"OWaub]")bsUBB0t*2^28%U-f][dg]Xqxv}#}}~>|_
fl3nn`BT 7`O|rЮi8H
<Ү"mwc?x2ٷƨ?\>A;CZ|iLeCnQuyMERO_Z^  i\D<	M<^}5Cx5|Ki0 sa*c9{oGW2MZmO=Do\pO+W7}řf{cRq#ǩ6=/[/,bc3[cjüvXzarq>~;kϟz{RNYv#50,]23ҳg*mM4>5[VڗN0awy湳>Y%Id< HS%{>l86;rCDV>dd1z!`8Ǔq%'e*u4͓R
s<zbUXIŤ)':JVsz/ɲyv0'gF(Z'
j[+Lv8U,+N.8,Y>o.&T
^_8ߐi3))U7"JGxZ7d#%yP9k6iJS^
a̞*O3*2<*8_|u^q?EtxP_P=d<9'C4MYcE0uu@(/R<Xn^p'T3yHqԳߢ[/F:Z	(EhxFFmO"fWQǣ3BKWݎP~CDw]Z֙LǽJIqjb*[|1[ֳMugBhV&΢wC=
¶wn65}7qȡu)E{Za_J)Nv9җ^3^A"kte6j?c4	_|(UAhWJ#,yrP%Dwb}O[ajQ"zjaJ6g/Bq8{gKGU܀"$\mS8pɭʍ7ya,oV:0q[yP`
II4|V7uw7ݡz;L+m;T&\ou@.sLB(,ql?+Z?{N]Uc*=/]:fQ{^.TE4̬t`TRM8u{A{GΖ9aԋ54W|z(Xy=wdL.
ZR]KxipLA8^0e4 ɑ'&K4o)jҌҠHE,t3ip {i޸YsׁmMG_ӘB+7*ɡ3iհ
XsPyJ=kF;~Lԡn[֭ MwUYPeb2DN<_.hf 2T9~Q;dEqhj
ͻ(..fz뀌6MNr,'eR?sժ4:Shڌ2OB5ئ6=_G oq'1CG~+LLսt:hHQI4p(UHuQ6WW4}=hjjy|C(=Tq?N*uϔD7'Fksf?xWI\zZyv!?                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                Xms_eVQ,Mi8XQr	HHx ow Rьl޳{vr."E.D=R&2i@7zHqYg#q.Ҭ/r\xS>~:/i \J*IJ&UP$9770, GeXk*a8ݜ^eZs?B~,:NPŏ'	+6$o$[nodvD.̩E"lKEpʗAתd"y϶iFZk	a*9<A:d4BYyo-HӒV<!|+U#i87p#]@BdaKA(T@zdGHJ2HsIc7ZVz׆^X$?fL E[ApX}-4 sa+xy9y?t-qזl7<eO
ZE
Iۈ0UBC!z^sΎAvV88JXbENZ7jaҤm
noSS<qdO^Oާ`CV}[e*2QIRk%.S1iLKiRu!bGǍ]o|2?jOLAq"χh2Ja/?L`,KX<3zUVR`+0 X8W4
4T$TN^;n_Å-2W쇴d3WeZt!#i,`)HGC6KAQ2aN:
U,r89Puk<f]ZeN=1)U0VNTgloMo:m~M1MeܳobFrFpse;x48I7#lX \:TVQ[~X뼠p4Ʃpю"23g4oSno5:nU_JsQ;n	7QnvAsUw[:j?[7!݃yApQ?wܣ/;;ڞ({ftUUQ"Zmm6q&>{p])ܡ{웫N~imX2{{uM>i=}	Ϗ
4͸o}~bwoV&`=_NF:&>w_Ї+?AygT-Y}BX@|YjH󁷁/7HCQq~C٪/Է:3_X
h"`V1Ҝ]^
_כ]7n^~иv73@wk`8QJnb`ěGhªZIShk
:^Kkfm$"_7u}];m4 W`X1

:l݅aWnp54*V
ܲq#,B{j:QM;w#n.$R!R72Jg|Zn:G*as<ۖ漹r8N[Iuܜёѵ/я/Ot)d|w;WSrzwE
GGpdxݎlƑ3tNZsk_!ew̚5|măڮ2̞z{pJAob<xEO'rJ꧋2é@"ॄ'슺o?L!<;*l1ɳi"
}~rAWYxf6^Gi=WB4JY\7w3FKf̮o/&+;j'۩*Y@)1B|6}a[dq~
T&%@1m1Rڈ;)H5xA8[</ML cc|Q9g
K>/+єF($)nw(ұ1\A]^
:TY4X/eҩ|yC,t
-ƀe48`@jص忟J^z
Tԉc
OhtU9#몗:UI=$of~y"9s9}39a-WgDM*H=i$OHUYKGkmr	,[ɆS#D\!CxD<b%nt ҪʈcOnޖ45ƥ_B|u=G*٬	ӅPx:ObE(2u:,q9H0n?<{*UJu^M&4~3K߆k@{z#L7[&4Bc&:D                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        ;[H#7#;챙qv1نd8CRWN&UuMw>!8Y-g.hLؒg~}E]rIیG>2k$~k>N'U`Y1l1E$c`ZOWk>rquvNٽ5p|D!jˈ5tw	?N714p͊-(
$kEjD, Q@ІmdKYQ`Nesl,5`g
%&
W{8r@[|rGfˈ#2~q <*A
Ekp.@oE8=%VZ0IߌcV,`K/`dwM-a%O	}F@mn-{E+F| Zn+Zo@/Q@͗A!0N󵶯|}mwv<<eeL	77B I"#mct;@lۉ5yd=>\Ew8-EQ60t4ɍ@HÑ5tf%ud*W	}4B%!!# 4HzM1D<ܣֵ܀Yz
Ewϥ/x"Y-%<\es@tqAUd|^L@| g,y[
M}v#+FaS"d05)8	pT	Q
c<: z1+~,HG~!@KDÔè\6Ycz*ڳ*
B8@.DTbڹ&B=n@srT<\i45no<ld9d"{1{hDpu<:|I'C#M~OGȄe.*bI-:5_	^
BBD9g4 :؅Di00HëO(ؼgL#0 BiDIfEա_\$-Ol:R|Άa8᩷l9.:qRo9#%r?:E쩃o[|Ps\;pw<9hC{qSvxG%O$h*=Ãv;KŞj:-m[	X鴴o;8ƿV):R5Mj}(J)T˳Ǩst -P^%MϘ  qX0.UDyw@iR6G<ɰ,}H}or&u^9|ٙ7W[1Dg퓳7|ln.v؋MT`p=Z- 4P_vZX(=N0Kpܑ\WZK;)8mB17Fz^6H
 I<_UcD>osV"xp48q^Ilo1y!2Dm?hM$7yC
.	KOH,[Q>6"Wt-~3>s9fPOa@f?3Dd!js뇉ṵ";7M3
fD!;ag}5m{*8eB$M(\q0a={Caq՟fDA%B{f\޳;%~0^`A}H>	nD61hE+9.P
p<.xYXH2Yh`vP3lyȅґw!|ԍD_=ۀ0^BX=g=2Psxi1h2Ҿ1q<M|/'͓vhaBmL"fP.*K>?O 9h2: 2m"1x(;W8$P0[Xcˢ 1B,xP N!P!'\CA*(i|zv+eK;)8t<PYT)
c9Mz$sE&6`}sѦ)hð)*S1h6+X#} 	hQ
(= 6@EdR^l!ڻH
 "m8YXr#hT"&%n:
(OhH
-{ Z%I p|X@40VhAn\
N&X#\ZHG
4TŇq"
Pmp'pY]ˣrIA7B)
C+5e?!y+JAP!U{mxA*i-,@}@Q\.!2ZcJ0&8-^$gT3CFx9^=f7
JO'-@BM3 FPƛ~<WyQ,6r"d'j(2 M)Bw*#58g>wȒO7,B_#FUn@$ofKII{r /!;!p
A:S5o|a,:9Li6Ksfhʏ_0IbE4Zm>,v2{Т5Gug{0rd E
8{Z|1+fDGK"N`0q0nVD$#%e|9TPm/x_
¡-n$fƏ_A@}tC@}x1dJE!x2:^װC4	^7wu}TWFʦW0v"V?\d7`M÷U aoJ&7)texݿ9+MNr
#jݻ<bzʶL"X,}G[<oj]
vZ2w@kje_ʇL|j0Shwi]AYoZJI@K%#u:%Bk7dn2פWL܂hPHXGtyzo}u 8]@[>Va/Ҡ̩?irSUlP-Ã:EiUDAAejPPxy:'0<`q:`y"/Rgis:[%ؗblN>A,vrzY\x=j9%4{Rzh4Bݢ.@Ą`o/G0Pմϛg(5zIw<ǀA<BDu=,CykkiKv.2'<7IRDVɫfE2Tf]7,E!Bf|=fqvKy7x?ߡq{:pєpuT: rooj)f/YT!)m"m-h&q)o{7v;b=Q)	-mz
QO
-bUT>7g]nEs	DMƝiPwPycx^t:d+C_nC+e@:VTSvW-y.~U^n	w|z9#\pK|z<kS	P\g,{w?*׮F7VF7\U jP%R2^
9;դŔ5nzs2RY9sB{>LYMgV/IA0t#Eߑt27&{v'屸("yݍ{+yߙϥ+72t/XaFwϣ*$W*[2Dtj A~0?ǹOqj5\ʘ[{ĨAJ=SfbP+ۊr8=INa6U^`mƙ(*MnMk-^D
67W'wFWaEHPUq٨?c7صdD(Wb+!Bi@|`E`LV6c /d-J & 
Bm͠PH"'3]*x}GP׷|mmւDlWwd`a,zGжbc-=
M_|YNձDj-8R] qvCH
@ő4}ZC^E  R_2at@79AJjI}d~bɗe8~icPrF<r؍oabj:KG^Wx4|EB:,?GLG<Ԡetuq;V) O c+'@=
U|Q+Zx$B	^Bz^.yCY ԶL:c{gLVVQ!i{lhZEF5/r*'/b?xūPBcK4ddM3쁉>[א*yJ#8hCMM+Ha]!Il,,&Ho-$醠zɄŲ7섪45]Цf=P+@}rCX;=Fn/o҂w!Zvߌbex05ޚ@)`mSW.fVlvWBNlϺOu^s]&AȔ%0Ռ!7/Aǃr	\J2=%sCZ'WO]*VpRT RTjLt2Ot"[-a-n]3V@`xH`VVo"OV2T4<:&RID4xKf$,f0>.]M<MYuVϕŴ^ڹb
%d'(]bes)K&<RTd#pҾR;[C}^ڑM'	#ϗw(bA#ዉe/QFD)5\CvĢr7g݊S1'xI
=rtԩŋa%+0At0nӳh\]gP1D43|Q^_pS|BP\T?CY\f68։O9~}TF+?:,E+6%hc2v2&YAa6T>[U2H=0QL~E<%'v񵯳HQ.{̂+	?N{ `/z;բ].AB?*JP7Z
B_dL_BI9~_hN^aeBo/?|_d>M>ы_J?uu|ȽVX SyQG0_+NQ棫~BT/[Sj:*Zs-~ԓ݉#{92f0ɽXa`c{%&'kC^޷?m$i&dbűOZ
t7Hb
 
Rm/ݔ1{1V(#+++++αiop}4`YпK=G6ڜek8>[E9=ٲr}_6Cb]ͪoԅUY_OBk/ś`}D
`#:OVO[#~ufΛi_xG,#fY3M(~|qiUtgx\0nLOyeS !:F&鳪ۈF
t2yh8ɗq((*h.\[(YWXB5_Q'{{SoΟ~w~:`iMAc=~{rXX tAa)u2?c1MQxwӲ!#+cLq3ˌ12V&<0VY7't@ZR@-b旳S%gmEzU[B+ˏoq7eUwkn4q3e{w?ƣbG ܖ@O/)'׃Hߜƻ8.;H:-qTH܉N3}%QؒncRDl"O:c7!H+Sm:&[ofx^Kogxul2 d^]4OG>?Öy3N|q!Sw%U]H]3T"$h<9CQ^<LO(.M^o0_49&}cr85zgf|ON<Bc:$|4bg2%n(t-$.S8?~_'}jB
 _=>O@zħ2wienwƋK["޺m1/eϾeO׫3?1xHm=	Ud1VeXP(׹b S21lckY:.sfY4ӍBk7F7F=
Ӡ5WU!v!B""6ی98(5JZ	TmRZ?_90}G &MoHMz@-[ǠBH zzh\ Z\Ë
L*E'fC țlSGݖ<YK"POȡPVR,]TW7":ԇw[C$GCWcw!3d33!iD{>葡:T^eK[GoiSbMB0y	g! JIYJC!1V;E1'VZ@ĸn`+x\E^[N R5g|	9Bqnfbj \,RPW!HJEQP,Pxs@Y-M>OmhĦ (5q_Mҕ`2jj#B~KIK[DX7`.2nb5#jQ<hWF"eăiheJ@頄&|R(H2rJ<
/ ;^ _&(ͧ6*Hzi̈́TYﳹ9	&/u-Lmx0-oqFw<E
-,g#ADЅES|Qיxu
Vu!Cg1,ݽ/qP} 'YcSА)+rsc1kfevf@lЮ䃂:x8YW­GSo-n
Zv#YS::alj%ZPUaR6VU\"#lJ1-Z.6:ik3#\FG`@vѩJ{g%S
1
}8 CόnzyJSCM淉ʧ{U^IƜڄ
Z.Yv£׵#i5DPcݍ)ijM/Cln;KdKYL+[	ѓm]3hClc=_gT\ꂝ=Gdʑ'/dadE0*1_8_@;CE<{$uf$Өi+$Â:嵎;:aA]ەb:D"+pʨsi8XKH#nEο$sSi笮gb?ɆǼCۍ:p# 2QrRTkM!:7֬p	)XPg.xY#,,5	`U61ZQB~a 3?Fx.Th6_, 9I2G9>9y'F,Q:7Y*SqgTsD)/D1I;r~lE>+mp Sꁵ 7n@儑<,TLa>W@Ƃ}Bnv9l8|
3ESzĥukNsz%Q`iYm^h4:kGQy'SY!,{/@lksp|	ǚ>U^C)E 4aqbAC%pp(%eB [F=dr&g]2sMOg<<Xewݑ1qp#
$
T_@43|3iM,dO$7"<w_ 5f"b,p5y^,tUm#@DuM spm]Z{BM#Ф"Z5+kJIܨXQSogb-hB߄2L>1	x# %Jb[F	&w\3dXhJpeqLh4>0z;O%>Z+BOg.g^~7.t,xsڌnrCUIFipfa8B+7$^y=l\lRm9lDD"k
?D]W-zjնiEW|ؚFB	(:[?44j"NF?ЌE*{噷?j(`Tf6'պh+~:E,k?aIbcr\ղ#=q7Kx^43νr#tcВ
W\4
݈tܤfzM8m	5qG
zF@As/VӿZGg$ӯtX-vS	odWN^8
a{1YיloNµEC7 57ZJu:.5YH)dӠB͘r^>3	uMmEtyzx4I$Ck#͙U,E>x'Jn4 Ŀ\5q#.LRvz?E-v)v+(J\|:udR쯄w
N%G>{gґfVS9uEUʕVUnNNsb{j֭xxHn=wg6
m(͞oT_VN'ijvS'V,48+B:׿ߺYv?bچ`S2xsozF4kL;_IޝNcGd>iJݩzԈ:vH5eֹԹ:L`bXuS6oߓR"+8aFZS<qX32yY#MYP5]J8g3·D=n1hgm:CLܾrd
q
y"f) GwׯDYzTYҏlU/,',/-^RЫDt<qo:VJf_ۂ.C$Nf& V'˔(mmN^@Y\/ߟ\\x+%܁\oX/LCt2cupR|h.y5DWBa,AwH׸UOVTܘ6acĥԜ(t~n"zIaǒW,J^goqJĜc5XUfJpCybvY%;AaQl#++%
[I@k}I65g4h	97e絜5hÔ^.HT[@D-huCPƌv.|
xٳX~,|(ΙpcApn僨i|T|S=˞i1tu4%'aoi;˄w؆1<IiZi3p׿ZWdKpadu|? (8(\˶NL=2w>vd[Ȩ:zFBB]؝'a |bӒ/ʛgEie'lz`eԆeOj%zD
pPISif];ـ͟L->SS(3G[u|+8-xELTOFɨw_]g~rmzv;k]hg2/4ߓə|7Qׇbi"ut3tbt_Q.v3ʝN&"/2m	3^n
m$6dX "n9ú9mT%T8ݟg$N-RtO)1Rb/hC{P(0}%2м`X-9ESÍ$TutS+M̺ Иgb
9.ikN	;|tNy%~dE-{K.Σ&Ql$D4L$р؎̚qxH8Bh>/2:kʐ\Ō6vxmj[=fMgQ*WnKF8ػK	t!4ay"^,Hhe4
/SJBX^7}Xߝz,ݾ??^ߓ{oq1qebI8(c?K2
DeVX R41bBx{;-i!tڟwZN%,as):H`ֈ
B	A=fܨc v`wtfΘ5CۊV3>Ck:VZPz*!?G*3|?GvȺ /0r
`
_,P|/.4
ݿ<`yqEpM%b3jqhH5	D9?}jgWN<-
׺+iq֒v"2[0:Lr\Px5B}w~χw\]iܪ
'gH>[5op\#IƕD|'L5whRi`aEGj|Ϟ|NsGļ3ž]J4JuZ)nOѪ
 P7c/>X^^2qPGiP89U$=<O:vS`j=}ɫW%Guz'UǗ9-_vֻ{6Tȑazr*-24[u-"G!
WuqU@0=>hpf|:f 0y(D.NE Up(s/6RqZ{TP$AoBsi2Vu
16|0a±9AW]%yIx$mc,+
dԍ?T i%ahbx@\-iȯoS#iie~Ly%Qv?ASC.^f
BQ	YǗUE{4hXe\>IL{0≽ Muz>zSoM!:@uVe5"?	_eEmxXE
XNm[W՟Z7ʅ/Z<}R>`1WNczhvA{xHeh0+Btߑ%c&iZ
c;vDLٞ&yZ6'-%ő33}ABQ< 
_8B?DQsGB3^kGJ݇RoaQ}Qge-2<L
<]	NJK*byD{uІڅcl+ zeeroS5Id0DmlҋGLb0mg5
{JPl/Owk_u!(VR"Iֲ9a7m\ӣ
&Au_4
IU;VQm[fXϡ2u˖2tDڊ8OzAh7 a0ObuBaFQb>.9AszѬbSQ 0ixUY %< oM$_&c@A(^.<:=yQHPƚl7-&::~~q:Ḉ8 {B2ZGe,77.`)

I/mU`.+E4jUXczՆ%lO
ewǹC";<Vɂ$kMIu3ĥ6+v̖b'.*nޞnH?$Q\BSUֳ8m+[S׌ސr:n3k1ke'=㬢Ph)EִvA]MNnvbb%eRЛ0O,|mWgu7U^,	|)fɩZ+bw_`#;
^n%b\R}sK/no}WE1Å"GM.vq=wO}7 ߿:mɧb@./R1Yք=튎Y2p,-fS;F,bm-j]pIܫ"j$ 1 %uүC1ĝ70UNҷ;MY"5v>̠f1xkH %!I~16lO\uA޽?Z7TCkm(cGdZ_yXph`mkP	cSh쎟r3LO2+0P@qwjk{Kc7NH\8M=22BBqmN4Fγ?^,u~u[ &&U8^T_}-c>3}#291Aʫ&PW i!]`GvfO' \NA)?)w!XApN1svn~e8s\nYޮsi GXNesFnd}m1c7o_3J@'~j8
"-$\/$ 'M'~%@֦f$6whļcb:[{r I#jb9!WC#Nם?#Piܥi'
N&Z1YK"rexD~\3KDF\<Xv?B,61\;,H[R߻gik~޳$eЁSr#
'Jk	ǊGEsu>n.Eg^*nc1}
#DنWt/R965xO] u	GEOAZ2.%_TLbnބPwnb1TGu%!v",8V7Q/ߥ$(Ocl6OZ+c|-IiP9Wd'{}<~uYt3ѽ{CJtcIݟn[g\<WǸgysx@"-k,ugCZ9n̧ xd{UCTVM<$~_Jc)UHӲf];vTFo)͘nwz{Wkk!.{n)ʴƪkGݔ-}5J
5OAb
=-1W0wKxph.7_׊əXn h
\"9`h6z춐z-8=h%o션T5הWl
x6ͪ쟫]t`1z ,PH
8jdf(C蚬~{)@HgTdp`aö2/s|!_=Knpz	3ncCYn!?1oPJO_F.pcWp@qy>Z^
P&T3VZ@Na!XvmQX(bkY)wB3]ۆ{cĮ(٪>mұ'wyWAɭcJ)M
7gmϝm5tD=w9 s$;\*KIIu3֭ F`[D%`ԫ89ERVso]ڤTҀM"gyMHRIy9>[e6'&94orpԈ1 (\*^8qWQ/GkLS/$..Հ=q`Sц;[<i6IV޲k6BcK+sVC=Uu<ݮ:$(d']o[6#Ǫ*c'<sK v|L\1mlx4T9kVOHj/*aI3@_L&mz:nǮ޾A&b-Kw&nVU,փaq~qOd8";|[ds>6*Kdw.=P/+7d(eȏ3GbᗑpI9ϫ1vsK'J9żѓ4h&#:u>nuR2ul4o߾x#6p.^+_-LQZn1yQPTTns8Qwh#nz	⯫֜7yOb~whC_(xP,0TMT]6xw8Dˢ)gGm+(s Vkq=6
bK{ Fr{]Ar,#ǏHa!L#lOl[vwrFlN}^bWF9ڃa}_B\佽@Rp+J$l<, Q6@pp-hx`o0}̲O4|F6Vq^[YXKnƜ{W==HoŜNuv2<fE~/6^g@M&Ȫ,9ˎfn(eQafF
P]QBŭ
Ѷ&&Kd\fJ1ƫ41;#wqj7,pzñg0>
jق8y&N3JǸ%W5ՊYQ'BWiKMDVy-ZUϔz|lZ=V}t\niLN6oN';}	q}iZ[3vuScI^
([FT_TD7q?;n>?)h!1 7=/>;:ړ*ef^ԙE6R׈BV!br[c'R_a.,>j؀JSb6".8\ gRsSŨ#<*PX oY	mA
nuIg! XPʮ䒨iluˬ>Xl-WU	C|ygNGn:Ţֱ5>'wk]w
vԄ(aRnOc"#2dOҋ4<<%_#fvFRm: +8"+֤dEQ;Cc`nHW+ եaIxבl=C KEfme+h ``<t!l|J9mÝ5ɴBY'u2MS"xN<Ś"#tQ72P]0~UjZ0rH+!eBG=c<{a2@H^ӣK+1m T	C= m'	
,[{k.ް#bbe9r 틑^Z׾FY0@0Nɫ'̇$+J5rB42EƧR;=AJ.m-{m`GI<0*j0c4.)ms]b&gK\dB]06}s]M7.N}ٻZdBe
6[\l	&9ĦvPRGTo)`7A	j*5pqDPH*xs oym.О7gbe^	p7^%"/@^z%p`[u Uu;HּNN
pk~y]%ta bUg-B3`|vTQ4
>"}B!ÈĖ0
WB)mENy
Y0[i(vݮ1c3f\kh<Vk>7cIbeՓ6Uw^"=/R*@\
;#UMaiҠmgI|M6mwmzKף7 )6
/5-/Ώ"o[ŕEh0`gBBymyveF/yyԾ>=
Ko޺ܿ^s
8Q]wOrV8["d) ҂ѰF# o^<wi`${JN=s}=jD%FW +\x+jSo^)4gˀXtK9@]1w
:GK	ƣn)d_M׉uV6dJ>)ׇa))KK3--yE:/
r>I/etܜ\]~j`5=dkMNɯ&m-ֱbٓo|aTDx/p
I#cuwBr+2+-tvt [E7L\Yp@Z 1ݡ-б刼w@vzO#-.pI'_k=$Ma%𣴤> {-LG=쁞r0Lt(f)
QO:G7_[SlF#D 9[XT#Lws1[0:b: z.hBU5A.ABO
ڝ9_cIzӊy"!U@&$'w-݋2HhbM:U//Ô҆c^7*bJ#("Z^1d[e
 c&~WqpϠv~q̡u}iOY	hӹ}m'٨簅["ǇCsBŨAVAMT(GFqeϗ;<L# e~>L<!cff<
gR'v\?!4Kfo1-f	9YM9r^U|L%S7t\k	s3O:	noK|^5bo&3%m.&O$Mx\@tbw_piB
ҕb!2~沥.>ƬpkP.-J17E;wizlI֗`okJd{JSRB&3w0)sM(q+eik#̓,͖2ypSݷG&^kгԛȐTOEP&n~45gt'ScX^ZtW;ƺ}QWШbIt*3w♌(]HDYۇISR6=ajrb-5·:cv4Ykޑ('i:)ʐSknF3"r[tN5DQ{AWi6:a~ |m
q
g,~d2u,\f)\y?_hhY{}w?8rPGH XFZ}~]wL޼v'Dʸ "R XVo;:ԈIޥH^&؎P<-Skށ޽wya
NǬ$旜%x)+Jer'/#]+\VS]hu
H9Iy7S J)<x>_wp5΀ќ]v
Xr`a9;pN e80/=!k\ Z	;+.R"KoLaî̾l2q[mhXH.7W+$ꔳT旕\'r0w(60(fq>;
 $.QސΓj=$l 9]BUPeք?ɬGՒ5Iאruxpssjyx"
;g:'pӍ)%{a >:B<İ_g?yzL#Û>Xsg/^<ߚҾUA4sjR7M/{,n7g/9{xoO^u:}ś7߾>?Tt~n9zRzzv3cOV׳cd~ni7IY jgQ6fbf{5{|mddN	:1T~_ĺʭ~?"2̻O6p#lK\3z>ίλn0'P"νIt/l:eItZR OE6X՛ʃ
veh8Y+痄?5" ƻ>E-)s u\q[bӌǒr	Re
	{ZʁɳtgɃ>L<X_T;>܌lw*Iݜuo=I*F_[Ŷ#9Җ.,mJiGc~po8@Vɔ;MziJ0^gt5ך (p~v:PbEY9^ @9s+~GޞZkN>X J:}6S-==H8PX76qݙё(̫ޚk"mTPΏt<iGKCRʉe@;Ogstfע>4	ے	`_X,mZbiLrGz[4CX,8<yFFrXr;=AQ1c,3B]Sb,_$[dP@-S=+eu(+sY[l۝BRH/?ýgxq((^6\;Dsz}HȯJs閛5ΉӃiOBXf@;KIh Ê2)S-߸ y33z[x#u;2<9a nW:v M=y4sCPun+KWe>Vѧq,HD09
z(${?j)]bZٔ{D2-՞%݈etSMU]+EPQpKɚ8,ɏI8C-dO;WXgWM990l AGϽ;0q"?F9k3瑴F
ݲ8p
.6d4Ϛ&7eD-\!xCp>ٝ8PW+yavV$FA
\uMGikXr䱣ߍ|\Qծa³l1") pT\2K3ӳ"_]sV  5`QV@tHSlC8˙>;86#"=G iPr`
?:LҴSy/8Z)pn!XY2LQq]3j+>.,!bTmq*HʇT)૵^	[{6-.<٩=H+26nC[%ٝd,Q0[Ezz◤n. ZKĴ?w!uΙ6	Y[%vL;y=_t$t,s`
rRzH+|_o4f-vu/O*x3Ge-sCYCcĠaC=K,O|q:Գlml;{p fUzHz8ߦbP!-/9mɺnudztUKyݵKo|A%J4s .E*lʔˏ0R(xkMץ"P~ƮʵE*'QgUi$>/!stVy^[ŵ;l
??ʗ;;ӼP~e#Xx۪~C!(k;{'+j<}z>{zr1N_?,+H6{CKpG,dFrF7dqa> 谁BM]9AGڢ8o=Mlu=jDkin?2֢YwCZ
YnʬRPqh%Q
]I{@=~(&ˇG`v'AgR2a߮#4=@onF3Gb%ܸ_L5҅5=8Mѹ.GXgWal9@4!nVgNw:(Hj?J"p:$atTtKCIfk};N	!!WNX_1\}8uev*Х}ծ}n.p&9L⃧(<[ɓs3I˘dN/A6-5.}ݽj09$Q!战VD1Vj@a3.r>V8<Ygl
&⹩w ~m\quvi6!T:q7ORkшJx+?	=͋F-C٧!{G{$ćmHPfA3jCyҞ;aPR76/^gn-ToR q9Z.fr"rSpY%Dk:¢p?xӔ+uFKTí^
Ӈg"!4 +&U59BDA j?w݂;p^"]ΟM>>9A9 ^,ƒ?Dp%𻵳
Ż<:/h=˚ܛ8K|\X-YE'h kY<HQLTL˕~}t#2{U>1or+stO@b2ϙټ}86=8gg;|kT#3 t"X.,c4;m%N ܷ(G'U^x9Ss;w$IQŘ\l<uYU@FG!8˛_qAOajI<̲@t)s"F5
ϴeX1
JEE}=a_*¡{;{kUPo\6*$}<1%M;et"C̓PpZM;p465ԓ2O"v{rciVUp^.b?ehnTTd؜ڱ~搇	OF;oнSF*P&G|)deS#V&zN(=9=5yش@߽H&uN[<WOkwډцh]dW_rcntDþV#I6NGaj{ƣ	xf7iyb'|v%v_aұRʒ)'Y_u$D3yXR"fkC77R9nX0;tm~e
b}vIR+H8r|h#vYkePьe^#FIE9)wi/SȎ(*2o%u( 0GEmNb
c+O ǝhtd.^Dv !FI (_Ԧ
ZrR^>ۨw;b>;KO~n<"tG(5wp$ʬ	{E$Wr,<콄$wx>GdBKx^/o2_5I{~|@?                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             XmsHί#lw^8$jw3H謷hF8fR=32nFN"O2ҧٚ&?1!vDi(><h7l_j")ͤfɟiؾiJ y+3#*TxZKӽ$OĖ\I'IRVfaۆi fP?"-=tcÎJrݿ:$H5"[CBTAȄeF:
Ċ`./A[+BD^ۥ 
ELy<eLKP_Rf
&(smIθDˎa׻`;7DqA}8i(O:oFuCI/e&I&>a@w%|?UY$OmqC)Nc6PY^٫SEg~
әܥuRU~wUǵSDq4঒`	;Ҡ!Znܲ/O {fr蟐--\jr:9!LzgwYa-_FiѧOuFUcTR(+ʹD*IU0*vp 8yD`[> ,dI5@dZϐN|fEPkx<ȤP'."A8UY|d9 YC"_f^ށqвo.ZJSNy^Q
 "ތv!U1Dv2A)cr&Bf\
)r%O**RI\-LH!͑XdJpߨUX̺9hjbQvA}SKg`Pybh"}qrof/{6j#Ɇ\]sW74=hv<g9.hqV
[cye\E.A#e#>^eag#r!E>ySvg4'\޲.+TbS^SiU	y/$q1.EWXOg%8nᭃgrv }DrnΝyg;Q{vwaU*DZu_N}@uw]nUeԽ{Nwer4d7쿋	GU19N8\Ƴ'0zƿݖ
x5ZԺNʑk=}ϫ[pqG;1tL9M/63+Kn'e_Q[`GnkF1!ٕMTM81;pq"n~_*dq1z!Сű
zmnm5h#J)wdUS i+M0Js64FMxIU(gj+{?ԃ\eC̨u!Ѡe*OJeū%/ia7OzqܬI&!Y#L9lb/0G@bm~2fϜ_EUOa9LFﮮ;:%¨9A9D_;JQ
v>z*:,&5ʕ2_yދڞ/)Ns};5Cו )B3'f.26sxyḫ̂R@|zIw͆HCH{)SX/Ĕf F ۨ6d:64]hz
FA5a^σE3ug'hAuh[Y0йUcJ3)hiMJA.(G˙3[S*3qo߰1;

Ie<oΧg%vu
|x)Y{|֞g`Hז.~~9/nyBĘzcFRè,~17\DDMV͒r9CY"Hͤ+zF7ϨPfw6g2`ᵈ-όfx(%CET?"\v3L
&U֘O⟎Lo	]Da{៏·<-?:"i!V /5*\q̈́w9BfnXOͳ|:.S(6czâ	x:U^o"%fDJrNKͦ4z;zѰQi\ |ToRRdPL[RCzW                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               ZsFE$[Q"ʲsևJRT
f&$e4 Y3{ HQVvkj?dZeƲ}EwbBb~'LĞ;=^q)Џ,d<Yd<!O9ne& U3+ѻ]D*ˤ[R+សp!
L7<Jh.z?'X/2Lč ?R8'7YG	>il9rCHP$:J/T.\&:±4"^j&.0YjWIo8a1exY`^
h7MYs;9)"(Ptsjc<\MD dg;Nd]JjB ᭘tTTimJ#["zKF[ŀ!%ihYa'??\\x'ĻM[ut˭U
y&`@LjB3:+?&m1imIN!OdXzܴ
Ǡ&N=XQFyqUɁ߽L YOuZ+*r})!W%2c1bXԻZ
LaljЁe̭N~&BWvgLq&rxM~>tT*\Ex 4FsR=aa^JI𒆺kWKLo/`PXװ,V~~N8,|~Z}JLa+YJk"AehA MJ&碌f
ܚ#7i[eN;Zrp0qjuϺe~c"?cÕ0je+!kh7Ϛ1oE,fĲC^y^`a$>`M?=1w&)M?90!.`]?֮}1qh<O@M9S2=e/IVhMɽC{d^N_RA~B!&FhD髊m%{7CHk5f7
C8n&(w{vx.UMR"n=*ߣ\pɽ-&!w]1;VNo%srd<L졿o93~O;ز4f~rbz:jkɰdHTԷ4}[v}>x|]wRm&a0 sČx5wwV鏦r&Dt(ZYwvv+@-^ou#@<ˡxiqd3qIm?  Vd\hbh0 q-LG}J&)mk(0ΔO+,hka$v2*^;Vخki JS
Ƕ2W/ L<f`L^CY{뜵^xE-BNpET {:4z>vG9mr(T} 74h}Z6Ӭ#ꮞ&
H1+y}̐I2U9#ÃkK?
Ss|~~|݅xWt<,;c	lA>J]T$'z;ݬ2T5k!J1܉Ip=UjeL.̵娄!)|%:oߜvko(U OUJ&iBev\"e0h(=[C\j+G7ˑDv^&)<,'sd㑫
ĂȑyIdͅȾWTN-<<?odGo ݄iE[\8%	@Qov2CV{ 	zqU
brŇ{
DYis.{Aì@9
U]-G5U\:6Nl9ٖf^mpN3[6eCW%pqF=@fYX	nʔXusz#=P#ŷp.B8RSeiw'5Q~*K:sU#*
A}t[W$l l|F:t(IKJ?3KPWɀDK8a,օn1ܐMF%!"4#1/06TL1
%9Ud.RiUKYs
j45@r-D,4}12?6j&@IUlλmlа˞
7c/0'JO}UfN'Qz7$!6+ܥ[R#
O9JtʷiI[]V[[XDɺQ =EFJ}Q`|J%mǚ{o*Nd#PAAα(R
k Բ7/+in<
 Q_aRæA"WTLaa$[@daF 1iCepKEe^!V)5$BuP),+lddW4t>+6.3_I»8FY.AĥYK8 BmFl?n%	[kEG㑝n38PlT:ƆBvEm~-[QަyLchBQKCPrp+n|s2 J!0)ukԒìy!hԿ'FI_R<+yYZDQ
	}8FD"PЩ>PH#Skıh2xkwjl"HceǰJuQ-}+3gR F^\\{Y-LÕ<I0O#ʈ[D[5$ԛ-@|`%ՀWDrۙz݃gSdz8=vpTeѡ)KG:vàh3*lWY={:_ uDCiG/h2xK η)e?>F>c
e@xp1|Ol
Ɣ
-hMLoT\jVtpވ
p&nhs(y(zPFl9oxR&pP	i8,~IDgMZy5mATi:0#+*|Ł|3`Exhwt?vWxꄜ'nՠ2f8<*C$զ/T~
W})&b>k*yJ(C6=uMU¬.q8˴)H+АSJ$ǽt3w<yv8}fyǯ_ͩl1=vgӈFEQhn*^f2?hZ>CC,u|"< '~天jm>Sz[]*Rg?O/zzLo^/aִvqӓ_hŘ<?x3(z˔PP!T |GLŘJt}C=T4;Y~$[4P	_/@eIXO׉lSHZrM#Lj2}^.k-`q,1.BC6-5w誱hF=˶ >Qj4^99FIR}8Kب#Xd*	4aχXDm2TWint&-R
1@<7őɶ[5BO<#Ve*>0p[k
ȟKZ"u+/m8
-ܲnr/+c	.c\d
ϸ=gۮwS
j xaȈcV3jgboܴ`Z"aljrdȻ4w4}rlKA	Җz*\O,tNt-0zLnl;2ΗU!^uhvZ4]GT5mmu׸=BqSl)	f/d<'7Qhx-P~*^{	$r 7E/Y&Gưjj^&vΑXЋ(?:nQӈ)lfV|5+:<뒱~fO75|6?Qwm@XiZ1ox8o{[6oqV: `}yz*__[gx3ˎ6~2dT֪̃X	*pʲgfebI=S]ӞƤ_?s~^EG:tkU<wh`|-                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               X{SG_O$^	V!u2:?(D=J{ޗgw%s߯g%v5=~lK"O"T"o2^lz84o;?"(URDPi؞YJ`y#VT,$6+FBVNE&ɾbO9YJ>|ضu3g^O2i-Gys:c>$7N}I{
4!{CB$^+"r%,ĵ$b_yb:U/3
	PZk	b*9<Nl5`Mh@Þw[0AsK
Hr9A|M*ߢ4
U`N@q" GD`RPq<pԦkNJ*'J&w-iKo+EO,R>[X%?М$_}5V&Wt%Wv"wm
mgm+k褖
'{=7"$R@7"@J% HsBܸgG=':5wRXCS r/Ve72Cíf7i5I[Np{dɚ+[w=vtHۂ޾mJDQNH%ek8PK\bWIDKOHK
9:n캥=2jՂ/|L:#q"h2J'?4KbhI8LzyDϾ>h%|1+\V  "4JH$;TN?>aw\zi*Ce&(SJ26IJ<-ru3ݦ")b/BQP̮=2]'
-JbǬ3˴̋׺'Ɗu.o Gc8ّoM_<k:mGt.;]&]DEV 6;@oY;340NSlBҡ"헠z;(bAGh|H?tv7CL
9WEg*h8L!ĺBYi'"Owc4n9
هQsD[_+!za9Űŷߵ%[[m	{ddff)Zm[0h>ѧ3悯pO)vGx9s޷\̔G`n[ܱZ޽GS];ğQWV:`=OU Mh>=( #@
z{R,QDF>$`4#sbNܓn@IM4,~F{	4bU3menOVh8\V1f!ۚ=ҳJ7\~V]vHwyq"~'5YA`=cl0rzxa~%'aƂG7˓R?zlUJH}Sh+	:M%M+ܴƝ	H(Wwv2'cN|Y

fl{+L6Y+lLuףd{r;rD~HYVwd"l:GJs$<mZC_6S##sZN3:2<:8zyrz՛}9Sw2ǓsvS!>l>ƀB?E>ޚ5X>
76koOF;in R1u"X^dQDq*ؔΩr):|A9;lv~ hT>aǆf<;\]\^_ziw7;2~GbO-͗v.i$Lx-Bv\b
EϰT띊|e#Ӱ$!Jw&b퀖]af*̓|;R+ثv<Cu_Jبn.
ArԱ/i>JŒ*]F&qn~o>;dcAm(ĳ:mI+B<šru+^;֪p44d\Y)sx5^NS~ce]R>u+cOOpTkhr./ցc,hƾPsL?CkobhAFY-	F;s=V@Hr}ÈWY:}! a:)ZU~$~$ou2^"Y7(v ˌR@/MS709F>ߜk59hy6U`VK
@Nr>?X[ټCϓTP2t*V]JAC/7,vJ|/}j]^7www$Vl#<U>-&M+vE#NEl&;bB%B>=Gm62**j62A,M=˳)	o~t1t:^1,α_ݕgjUxh\0@M::Ԃ_uYaj~̪j+	q¿(@:SS>Rua]ϔ`>=x\!>4黚Xyɴ\fPݑvw*h4XOt>8                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  XmSH_l"lejb%*ckl[4r{zbH*uO=3XNY"fh!CT4q![>49ؗԷ4&]'RS_j_Ӱ\I y-m*X$KZLFJd0̛SJzTTò4^ɅJ&SP*
k+q~M7
C-ӂ
	KbRQ "T&&"T>E"cʹ"*Mp,"ge|_C-0e-B-Xp<҂Piޛf'ȗTQ{?gQ*z_n'bnI>4BoNvw!q"b/EFB8.-)]DΣD:Mϲޛ䗘	I4i0JsS%ZX{N~=F^҄{T0NaZpiǆn.k(!r4`0` SeG=|٦q{Q69O+-	>AVp؆2i6+rB1M5,?W%k=!++2RE1Qj&bI
y-Qq}w͓(gPeSuKC|u3;BO5*ţ9W&R頸qQ=[ŕ_HE!,rep>ZY{R`	**9GXW(nhRI [t.s89͢,Q(c3m^h&b4Tq9C1H"̧9YUDȃVD-$CSqj#sA0䔺zXŊWēC]鋣n7tCK2
h!;>w&^SQo::myv>Ro"-߄]k6CtH+[Y;Pȶ^AthvKw'p!r*E=Y'2i#o&HRU]H$sF;a4U~vV:5YD5#9s{C~9-?H<{-}bKً\W/%Bzk1oubN}uny
lcwMcچ3+Y{n1V>cw;]n={Oi{O?ΡqlmZ*a-WxN2yj}=-0nNG<^CyW,2,ҫ#ͻ4ش;=
iZP|d]	lbuͺ:ƽQ ^39z4g۲&.mftر/4v`@l Vծ=]}82^拒ƃCxs;/+*T;  Q굁A6ֆU̢$)QU+}?.ߝvfV׃R[
noG°ˏ8Ugl+N8fIݏvu4T4d}@JUDDFE*QO
[H^UlȘƛ6Ҝ7
Q̙_CS/~:@W|``^^\w<xNX:'fgxHHZ5F~rYOg*xor_;Y_x_pñ+F_8~2/X7e5|
nKOΨy>x;l6pDJ:fކI9JN.|sg#bd4Cx/uPP;Kէprr9_.η_^QrGTi(Ǥ#YGĸ졷P.E;J2j,C-|_.DneJ?D"Vڈ}jx[M#,/WQ#qfP
p)f6GEUGBܜ<:zRTc7&k37\O>ק d2%pN"VV>iI2Tq"1W<Sڃ`E=w}~>pƽRuB@nDV{H3^ifL%vH^ζr%>ޒY2Ϋw?L9BiؗBq<uQOLI_iNgYZʤ:.l2(yѳ?ڍE#!                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           Y{sb4i AɭĞҲTXSV	82go $e;dR}.M"Ez"ִE!}:OO	1rY$>>wl_"ESK#yOO%2[kQIeԻ_ʄ%y"
*$d'+JxձmMvδEJsS!;(ǎJr?;!ɇ#jD$4\K9HTcib[2Zy,M>
tF&WT&sXN<dF4HYaw[0A
MOK>Ly6r.`W JB* Lda@݅P|*RPړ[j5b)s}7ݕ#ƭ=Hxo-ے<
CM)I%BC	du,܇Œξ{9?J]YYY8z>pۭ]Dv;4ঊ`;Ьo=7ٗO?1Mw\Z))9#*'ɍ>OPkȍpa6W[+xes?[Fd~h2dmFo߶YVQK͢($Q\7CAƴ`[^#,SdN5@lkZwNcE|*0tA9ED?X*U},|O2,M /CτwXD7CZJ]^xʹ)  ^1/YfILb!tPLxBfӒ\
)r%SO**iRiYdeX&T,E{eDٍE&4W3F$ Xc12%sF$FW@Վw8S鋧OG&Z_/lSnnbBx 'ztM?ksvA
ߜU.*v	+/U?V<r'tr20s4q4)ryU&;ka2]򚉼P8B^" &i\DVdě%uZDnl?cym[^)=87(c9[oGW2CZmoۋ_ڋ#}lPtݻS=}dc_]-=;egb˜RqFCǩÇ?!hqSQ\ˇE㰞/B`Qvqާr mj˲7B h'M{霙M8@U٦?k(t~b}C6l&<3_>Zr[cLHC%{1l8>86;@V>w2bUct0|z8Q%'e75
u0J
>s4|bմҚIsR ik:ޛH{f	/rƯ<_鶾i#Y~t}mLu#Ѡe*QQɲ+pFGB{5^>Q}|Cn]\NI6'THI4ψ(EiuHyI
za?mgΫsqFEFGG>~Xo)N&N h0cL,1pdtꋺIRQ	qTE~ɞ^fpԻbbCJSdM1 7-}cST0.ry#;T"^<LK&cxXJdZNF
?_^]Ϧ3cK=#7x.D
^Oi~6_^MoW/IlmSW\f)⼖_)h
CN3/Mxd{|ͳ((z%%bmX)L݁;z$$vy;./O~)ؤ4ox';:טnntEDiŌSIv
 iks4DHߓLN=/+B;oAy~jv![M-v=(ݓϡjJm+o<`Bhӫ7/
'DT14M;\]Dh+++; Gc29X-0^S
U Cߥcfu
K.p%ь
r	oLT!7V'e<zbhe~|@

9.˨^I~;]Fkp_L
UZi"%Gi("wP&U3t}f0VBWCÁ6,l';Mz7t:˹\{0~|?:3UAT/Qs^
ֻ"`F"F	3βvȷJo̳uGɂzHըPUt7F6Ŕ;w-dW0
0x`ꥫFd!h<[ljUƺ$oŊ,JL݄O,bT>(ׯ)e)g(/$Z(eaRKi=2NpfzCf:[3IM1ږ08cQ5A/~|ΕJ<nhU00ť5KԔ=JV;R9"
iaib
A5o^w9
Z
dh$fX77W=§G R1+=$-\&0IDr!/-V;̆N
ȍBk{I֯1.:=J=)X	iԪc0{pK3c˩QmX	1seruj.ǤJ9TxD
u,
h~X@wӀ_PS'$|
7/d=AUeQdt8\~'6FaC];9M]ituv?7]m߀AûnYg)(                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         W[SH~Wu6lda5U	Plfղd,}ӺX&LfU~mNFy""h!#L4{=<|/"7}jkpI ih;;⇦\R@j_1]Iӄ VTRKj2r%ɼaG*!JCC;eX[#ZtCl21#$U3If:gXׄ
	KRq"L"RHűrGR?Z(mz@Z+	bʣ"{/ZrZ1DDqZ
@z9~Li &N2ۢ,wD?Knc2w|Yp)!v]Kʖ2^JZǜ䮄0m2tl0 w!mQ{ޞcl~c%Ki~!
Y=ZY᨞-߻q(!wgAT
,HGDmh?j[ᑍ27lZɇ1Y?7BZ-nʤժ-aoBC,uci:m:_A
IS]Sa45T*ʉr"ת'8KEǐ!-8놢([
5:o3*~%֨O<L:Aq㢢{2J9a+`,#X4+͛-)SU>Sr^@I)S+Т*%HY?9p\] <U8g3m^Ix.b8ϒ<c*Pc*"B<< m
:"UCHp3CWSqf#sI(zP剥OӳC]鋣A7xu+0i!;dt  outdoyv>qVIمMsKt\2?_tBe,5vp@~Ţ;9"<)J[ó$5iJ?B",F@r+6y<d6
" z>n[yzK;tvMkvcK`K۫-e
][)	#=?prCm:=[؋`0o5GѴ)5[V3<{{?~C\;3?q7&_#Y+|N*Ej>.a-4707FѲ'Z+) }AJMok=si9?Ӯc6jq:W\F)~g;zi̶e'=:lIlY;xBcF3.o*dqw!ӆĉa/JVdn*k3]Z<kWJjN4Pbl$iTӺ`qVK;~UJowf1͠[!
noG°+X*r[G66<tIکW=
=~ g9\IT
$wT"ؠuC
Yiywp693y8c"cccjO?^Ot)jF:9meao`}jGI2JC$ah̃gբأ,O#I\eoL<k6ˇߜGڰ@;WL@!B|J|V7!2(( ܐp5Sb#˰x+At|_\^M'"V:Tǻ.ONbwYgzbI­ F|[[-IM5$YfY/f<"%6/N+Kşx:4z7|[dG@n~]kCoT̠K|"A                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       ;iSIWdKx`kE >6Zv*%up;2J3K|+StCU*
d߉JU!+ٝ8½#x%ys+.*E^(bGE?*q A(s(ѿYT(ȴWT?;Ģ_qMO)>yO>+RqJV?GOtcH4\F4 \Yx-e!J*dZư,KKB^j*tQBLG#q1ZD
&:g$V\qل&<wo7wRj^0q:ԐEXV.B" 3q( )*H+x+" UKUyV(qf ZF1~1~	[Zd Yۊ
 KpUKqKKUi7׽7i9~??[0쌂
)PO=Mb G[7;8߆o~"?-U{m=nYp.8Xja[OvOY1WqN*2pݍ|q7]ڣ̕(AFKp-ňy%bR=eJ:$7d݂u
ߐ?mn<fע PF顩hV ̲0
UQzGU}`(J(>^cYJ+W
Ja>ie6IdqEJחȎ#`\Y]`wYh.%)J^d*K$@eu΂AJL:s0S@̷9"U8a3 &nXu]ĴkE~X>+=2Tibk0hnImy1AϞViӴڀ
BP	{-w?HBì  q%Rk )}b[ۛ[d3+",`:(N#4x~{+F{
k.ty.32;t)
(~Q5'oAIz<.qϘ!z;`q=O;ڮy2hZgK[rR">}wyrjpȽnFǞS6z5_`\,k[Y5kk&_̠!l&5+6@?2v92ʻv*Ah)z=3@~z
AǏ`gz7H$Cw 3܄h4[&y3&#yJp~GCi4{!yӀ_$|{_ށ! zh$n,b;ńf\hl<\h4>}8O70Qg8(mmyg`efRњ$!eT4vā;cVa(LEv~Ma}U}UFĳ>
k)IЀ6gBc5
Q]6DHsa>EL=׹	e?3hiiѼ&ѯw5j@֛_қgS1JXG3xdpkK?O)qpvvp~rz8>0zF[G[ۣdy~P$ "qe͡D+]'+U4Wo;@J#T`RfACMq*A Sxwpr: P/#P&0@~7b&WHUP.9rPUw߳l5!|)~7|}:jѫ?-??\
0i-rt|qx>9kSXEM)|"?Gh07{yGi!&(懰V'fJ\AEnUP.a*`` 
jDQǾNVE!_ZC^* TBH(7#gŝG,dDen,>VZ
Q¶-IUq%*,A5[UKY~iV!
wN
ns85%vO0ZLG g8
i&B%ٵ\5"OOf8+R_w(.sc.qF+n`GEizt.{
Ӏ 1e+Th/4qؔˬC<#hFlc<>j":ڿbγ"!CE68oȰx3Qy]B(7m3)ޡR˪Pj`@?oqbk0Rx>+S;x9;6UX,1T^tXWafʍtTCf> <98dnZn@rQuGmOr>]M0H\ ;n\DM'9ܕMgKUy,lm޺{V`M[֫нSMm㍃#;[~%:* ]2PKH2PsUĹPnuRn*!#`14)raKERW<F8ǮΚ~Xni^(;;縳3BżA=ް_($ǲTxWpp\UlF-&x(#U(>2B5[aL0n+Ogk3iNyH~Z|X~dGgXH.j:"4:ާ$$ V@1	&kgGdf0(ڛm5Y;^GqʓWR4,H `g%k62Yk	ɹ1\ݡ)d?er7uf
y-sT]m/w. P*19f+Yg<,r<$*)\2udbO~YZ,F:pDK!L1	nh6la{2
CYaE[*bH2M]SՋNҊ|zh;<:/kk:\{\#%p*GS>Pdj@;CTc,- WWC,<  >P<(;;9D1uVhv8!zH2JLёsS`HݺkOtiyKE>jYZ<&^Ee¨4AIS'$R @/=1t`3j9vq܌E^kWqK̘u`oO؄MVMd K	@ 4ӕpJ3	))R3&Q\ܐV1d!0\xX*
HA-,Q^M8)ꦠEmea3`Γ/Hӝ
)VaM7uj*RX>g<ZQbB}8PwNKfRc¢-e?DB
+.rb`
i!u2r	*2tI
H!$NJP n6g|o
|s 1`kO040Ȯ
&/v_9=f)H$hF#Ì<1<Od,(cay,I4<o@xD[	b8u11mmO&뒡:;3kn5JvgÈf{d4`VJャ?&'go':>1ISts'd|Q$lLGMI6t%nWTWT°))lvMlQE3VdCZ1>i||=>>0l9S@o<={0}&{]ۡozi79fWwrm?ɜl=S6{0@+5V7xq)SWj|2QĊG\,GȰK#Zl|dPo=_>"_hJlv-Э7OQ	Mxϧ>L(ʇ\uJmJ2lbwtFQd\҅ ꋹi| laS=VYu,J*k>*Wa`/:¾Hg/)Vl
:oQtyQ\[M3Nla949XGu0Eq4keʨ:';YYH]rd?hEYuF8kQΠ
[5О,xm,@{( 	hpW=7&`⧫/%p[p$1Nvg2:p1`*,M%D=FI
ɾ%ouha{I2gpUƲ\"4ŷTme\RjhvS[ev=ګΛײЙI%	`'haqe]םӚ2LhJrQ:kSi%Vp	!oZGtCfG7)Ju;!
&Ĩlͱ	 КnɷP	T	+UϴVt] ##OkKʰ$C<#0%t<q0Ri]4,¡9B¾RnˊPO߯s;+oouߐ<edEܷ51K$w\K܈}Ͳ
{<)_)[8%ۏEXjrѬܗԅ]ueb)C1+kvksgC|C!U%MItP(|A\`u&HTJ1O#LGKG?	~sdOC,^l._G|1290<9~O?wxYz-Vd4Asci#1vAc!Tt5G=r;R:W#=zhU'?k?TPyX:<T[
!{PEGB1<@x$<R;u#-vĕ\M5&B0xEH UkODfBYYGcB`5x2udH=UogV!uivw**b¢/̰9CsNOl	}¹w}%W*i?Km9~5r9~e91[9{	S=ݯYHE0Q,wv;[t=zd<<Eeu5z|yZM@剆"F%QE}#A^ۃTS2Q>aOS"9i㜯r4>=eX
&fx$`:`<~'bNaR ow~ aSק sZXfy%0xH-6/یsثE&(S,PLdC'ݯ4{t5ꄖa9CZ=!3}ĺl*tO}"0f#(If w> 5xUyt)eG# ;[)ZW[w#}<95^'?Ԋ8eO[oqlaWD5K=Wb[?
Z9+|)uYAamh[IbM,~u=U0(FWVR@=
%W	R$L@_O)_u~Ix{<r܁it,2bIU1XF$!k7|,<eƅ	n˹ֶ |ׯ@lC.R
nChC U#q;ݕ\=YY7̈V$l\0,u3qoaUDܱԹ1sp']v
s 	-q y;E4#>XAz|RI@p
ڱ!qASXѦ.l.C|$e .T,I( ͷqmǔFv{3K;M5ǥ"eTg]M8).l Ї,^?-}P
^Tr?ʚjng})4[K2?Ͼ}着g,:;/z`"N؛Co3WsK6I6~W] _KI_5qV[kvim-iC_huE-u*Z7 u%R"WOI3:^jDDG5
ܝ
vowq{HtaVQ%u8)
P6HWS
HfjLC
͸(fi, rL	z)v"#`C߲!|=k040HJvB,8"ӶBe
@9.y5A& wy 
x_it㫊;@pP
u]`		 !a-@Yݱ 9 #]##~Q%8PC/o4E`.}Gj
 l+)4I
C}`S%;QNH&BL7ХG6	&ІCȓȻڴAܭղ=4nڢ8j.1	j͗Pl/9.H`3:^R>_yV1!5Ui﷣*_$a(k(5㏾?t}C\&4[]O$~X}F:.k~tڙg<Nk> |-vw=H<'L                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   Y{sb4i AɭĞҲTXSV	82go $e;dR}.M"Ez"ִE!}:OO	1rY$>>wl_"ESK#yOO%2[kQIeԻ_ʄ%y"
*$d'+JxձmMvδEJsS!;(ǎJr?;!ɇ#jD$4\K9HTcib[2Zy,M>
tF&WT&sXN<dF4HYaw[0A
MOK>Ly6r.`W JB* Lda@݅P|*RPړ[j5b)s}7ݕ#ƭ=Hxo-ے<
CM)I%BC	du,܇Œξ{9?J]YYY8z>pۭ]Dv;4ঊ`;Ьo=7ٗO?1Mw\Z))9#*'ɍ>OPkȍpa6W[+xes?[Fd~h2dmFo߶YVQK͢($Q\7CAƴ`[^#,SdN5@lkZwNcE|*0tA9ED?X*U},|O2,M /CτwXD7CZJ]^xʹ)  ^1/YfILb!tPLxBfӒ\
)r%SO**iRiYdeX&T,E{eDٍE&4W3F$ Xc12%sF$FW@Վw8S鋧OG&Z_/lSnnbBx 'ztM?ksvA
ߜU.*v	+/U?V<r'tr20s4q4)ryU&;ka2]򚉼P8B^" &i\DVdě%uZDnl?cym[^)=87(c9[oGW2CZmoۋ_ڋ#}lPtݻS=}dc_]-=;egb˜RqFCǩÇ?!hqSQ\ˇE㰞/B`Qvqާr mj˲7B h'M{霙M8@U٦?k(t~b}C6l&<3_>Zr[cLHC%{1l8>86;@V>w2bUct0|z8Q%'e75
u0J
>s4|bմҚIsR ik:ޛH{f	/rƯ<_鶾i#Y~t}mLu#Ѡe*QQɲ+pFGB{5^>Q}|Cn]\NI6'THI4ψ(EiuHyI
za?mgΫsqFEFGG>~Xo)N&N h0cL,1pdtꋺIRQ	qTE~ɞ^fpԻbbCJSdM1 7-}cST0.ry#;T"^<LK&cxXJdZNF
?_^]Ϧ3cK=#7x.D
^Oi~6_^MoW/IlmSW\f)⼖_)h
CN3/Mxd{|ͳ((z%%bmX)L݁;z$$vy;./O~)ؤ4ox';:טnntEDiŌSIv
 iks4DHߓLN=/+B;oAy~jv![M-v=(ݓϡjJm+o<`Bhӫ7/
'DT14M;\]Dh+++; Gc29X-0^S
U Cߥcfu
K.p%ь
r	oLT!7V'e<zbhe~|@

9.˨^I~;]Fkp_L
UZi"%Gi("wP&U3t}f0VBWCÁ6,l';Mz7t:˹\{0~|?:3UAT/Qs^
ֻ"`F"F	3βvȷJo̳uGɂzHըPUt7F6Ŕ;w-dW0
0x`ꥫFd!h<[ljUƺ$oŊ,JL݄O,bT>(ׯ)e)g(/$Z(eaRKi=2NpfzCf:[3IM1ږ08cQ5A/~|ΕJ<nhU00ť5KԔ=JV;R9"
iaib
A5o^w9
Z
dh$fX77W=§G R1+=$-\&0IDr!/-V;̆N
ȍBk{I֯1.:=J=)X	iԪc0{pK3c˩QmX	1seruj.ǤJ9TxD
u,
h~X@wӀ_PS'$|
7/d=AUeQdt8\~'6FaC];9M]ituv?7]m߀AûnYg)(                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    /.
/etc
/etc/apparmor
/etc/apparmor/parser.conf
/etc/apparmor.d
/etc/apparmor.d/abi
/etc/apparmor.d/abi/3.0
/etc/apparmor.d/abi/kernel-5.4-outoftree-network
/etc/apparmor.d/abi/kernel-5.4-vanilla
/etc/apparmor.d/abstractions
/etc/apparmor.d/abstractions/X
/etc/apparmor.d/abstractions/apache2-common
/etc/apparmor.d/abstractions/apparmor_api
/etc/apparmor.d/abstractions/apparmor_api/change_profile
/etc/apparmor.d/abstractions/apparmor_api/examine
/etc/apparmor.d/abstractions/apparmor_api/find_mountpoint
/etc/apparmor.d/abstractions/apparmor_api/introspect
/etc/apparmor.d/abstractions/apparmor_api/is_enabled
/etc/apparmor.d/abstractions/aspell
/etc/apparmor.d/abstractions/audio
/etc/apparmor.d/abstractions/authentication
/etc/apparmor.d/abstractions/base
/etc/apparmor.d/abstractions/bash
/etc/apparmor.d/abstractions/consoles
/etc/apparmor.d/abstractions/crypto
/etc/apparmor.d/abstractions/cups-client
/etc/apparmor.d/abstractions/dbus
/etc/apparmor.d/abstractions/dbus-accessibility
/etc/apparmor.d/abstractions/dbus-accessibility-strict
/etc/apparmor.d/abstractions/dbus-network-manager-strict
/etc/apparmor.d/abstractions/dbus-session
/etc/apparmor.d/abstractions/dbus-session-strict
/etc/apparmor.d/abstractions/dbus-strict
/etc/apparmor.d/abstractions/dconf
/etc/apparmor.d/abstractions/dovecot-common
/etc/apparmor.d/abstractions/dri-common
/etc/apparmor.d/abstractions/dri-enumerate
/etc/apparmor.d/abstractions/enchant
/etc/apparmor.d/abstractions/exo-open
/etc/apparmor.d/abstractions/fcitx
/etc/apparmor.d/abstractions/fcitx-strict
/etc/apparmor.d/abstractions/fonts
/etc/apparmor.d/abstractions/freedesktop.org
/etc/apparmor.d/abstractions/gio-open
/etc/apparmor.d/abstractions/gnome
/etc/apparmor.d/abstractions/gnupg
/etc/apparmor.d/abstractions/gtk
/etc/apparmor.d/abstractions/gvfs-open
/etc/apparmor.d/abstractions/hosts_access
/etc/apparmor.d/abstractions/ibus
/etc/apparmor.d/abstractions/kde
/etc/apparmor.d/abstractions/kde-globals-write
/etc/apparmor.d/abstractions/kde-icon-cache-write
/etc/apparmor.d/abstractions/kde-language-write
/etc/apparmor.d/abstractions/kde-open5
/etc/apparmor.d/abstractions/kerberosclient
/etc/apparmor.d/abstractions/ldapclient
/etc/apparmor.d/abstractions/libpam-systemd
/etc/apparmor.d/abstractions/likewise
/etc/apparmor.d/abstractions/mdns
/etc/apparmor.d/abstractions/mesa
/etc/apparmor.d/abstractions/mir
/etc/apparmor.d/abstractions/mozc
/etc/apparmor.d/abstractions/mysql
/etc/apparmor.d/abstractions/nameservice
/etc/apparmor.d/abstractions/nis
/etc/apparmor.d/abstractions/nss-systemd
/etc/apparmor.d/abstractions/nvidia
/etc/apparmor.d/abstractions/opencl
/etc/apparmor.d/abstractions/opencl-common
/etc/apparmor.d/abstractions/opencl-intel
/etc/apparmor.d/abstractions/opencl-mesa
/etc/apparmor.d/abstractions/opencl-nvidia
/etc/apparmor.d/abstractions/opencl-pocl
/etc/apparmor.d/abstractions/openssl
/etc/apparmor.d/abstractions/orbit2
/etc/apparmor.d/abstractions/p11-kit
/etc/apparmor.d/abstractions/perl
/etc/apparmor.d/abstractions/php
/etc/apparmor.d/abstractions/php-worker
/etc/apparmor.d/abstractions/php5
/etc/apparmor.d/abstractions/postfix-common
/etc/apparmor.d/abstractions/private-files
/etc/apparmor.d/abstractions/private-files-strict
/etc/apparmor.d/abstractions/python
/etc/apparmor.d/abstractions/qt5
/etc/apparmor.d/abstractions/qt5-compose-cache-write
/etc/apparmor.d/abstractions/qt5-settings-write
/etc/apparmor.d/abstractions/recent-documents-write
/etc/apparmor.d/abstractions/ruby
/etc/apparmor.d/abstractions/samba
/etc/apparmor.d/abstractions/samba-rpcd
/etc/apparmor.d/abstractions/smbpass
/etc/apparmor.d/abstractions/snap_browsers
/etc/apparmor.d/abstractions/ssl_certs
/etc/apparmor.d/abstractions/ssl_keys
/etc/apparmor.d/abstractions/svn-repositories
/etc/apparmor.d/abstractions/ubuntu-bittorrent-clients
/etc/apparmor.d/abstractions/ubuntu-browsers
/etc/apparmor.d/abstractions/ubuntu-browsers.d
/etc/apparmor.d/abstractions/ubuntu-browsers.d/chromium-browser
/etc/apparmor.d/abstractions/ubuntu-browsers.d/java
/etc/apparmor.d/abstractions/ubuntu-browsers.d/kde
/etc/apparmor.d/abstractions/ubuntu-browsers.d/mailto
/etc/apparmor.d/abstractions/ubuntu-browsers.d/multimedia
/etc/apparmor.d/abstractions/ubuntu-browsers.d/plugins-common
/etc/apparmor.d/abstractions/ubuntu-browsers.d/productivity
/etc/apparmor.d/abstractions/ubuntu-browsers.d/text-editors
/etc/apparmor.d/abstractions/ubuntu-browsers.d/ubuntu-integration
/etc/apparmor.d/abstractions/ubuntu-browsers.d/ubuntu-integration-xul
/etc/apparmor.d/abstractions/ubuntu-browsers.d/user-files
/etc/apparmor.d/abstractions/ubuntu-console-browsers
/etc/apparmor.d/abstractions/ubuntu-console-email
/etc/apparmor.d/abstractions/ubuntu-email
/etc/apparmor.d/abstractions/ubuntu-feed-readers
/etc/apparmor.d/abstractions/ubuntu-gnome-terminal
/etc/apparmor.d/abstractions/ubuntu-helpers
/etc/apparmor.d/abstractions/ubuntu-konsole
/etc/apparmor.d/abstractions/ubuntu-media-players
/etc/apparmor.d/abstractions/ubuntu-unity7-base
/etc/apparmor.d/abstractions/ubuntu-unity7-launcher
/etc/apparmor.d/abstractions/ubuntu-unity7-messaging
/etc/apparmor.d/abstractions/ubuntu-xterm
/etc/apparmor.d/abstractions/user-download
/etc/apparmor.d/abstractions/user-mail
/etc/apparmor.d/abstractions/user-manpages
/etc/apparmor.d/abstractions/user-tmp
/etc/apparmor.d/abstractions/user-write
/etc/apparmor.d/abstractions/video
/etc/apparmor.d/abstractions/vulkan
/etc/apparmor.d/abstractions/wayland
/etc/apparmor.d/abstractions/web-data
/etc/apparmor.d/abstractions/winbind
/etc/apparmor.d/abstractions/wutmp
/etc/apparmor.d/abstractions/xad
/etc/apparmor.d/abstractions/xdg-desktop
/etc/apparmor.d/abstractions/xdg-open
/etc/apparmor.d/disable
/etc/apparmor.d/force-complain
/etc/apparmor.d/local
/etc/apparmor.d/local/README
/etc/apparmor.d/lsb_release
/etc/apparmor.d/nvidia_modprobe
/etc/apparmor.d/tunables
/etc/apparmor.d/tunables/alias
/etc/apparmor.d/tunables/apparmorfs
/etc/apparmor.d/tunables/dovecot
/etc/apparmor.d/tunables/etc
/etc/apparmor.d/tunables/global
/etc/apparmor.d/tunables/home
/etc/apparmor.d/tunables/home.d
/etc/apparmor.d/tunables/home.d/site.local
/etc/apparmor.d/tunables/kernelvars
/etc/apparmor.d/tunables/multiarch
/etc/apparmor.d/tunables/multiarch.d
/etc/apparmor.d/tunables/multiarch.d/site.local
/etc/apparmor.d/tunables/proc
/etc/apparmor.d/tunables/run
/etc/apparmor.d/tunables/securityfs
/etc/apparmor.d/tunables/share
/etc/apparmor.d/tunables/sys
/etc/apparmor.d/tunables/xdg-user-dirs
/etc/apparmor.d/tunables/xdg-user-dirs.d
/etc/init.d
/etc/init.d/apparmor
/lib
/lib/apparmor
/lib/apparmor/apparmor.systemd
/lib/apparmor/profile-load
/lib/apparmor/rc.apparmor.functions
/lib/systemd
/lib/systemd/system
/lib/systemd/system/apparmor.service
/sbin
/sbin/apparmor_parser
/usr
/usr/bin
/usr/bin/aa-enabled
/usr/bin/aa-exec
/usr/bin/aa-features-abi
/usr/sbin
/usr/sbin/aa-remove-unknown
/usr/sbin/aa-status
/usr/sbin/aa-teardown
/usr/share
/usr/share/apparmor-features
/usr/share/apparmor-features/features
/usr/share/apport
/usr/share/apport/package-hooks
/usr/share/apport/package-hooks/source_apparmor.py
/usr/share/doc
/usr/share/doc/apparmor
/usr/share/doc/apparmor/README.Debian
/usr/share/doc/apparmor/changelog.Debian.gz
/usr/share/doc/apparmor/copyright
/usr/share/locale
/usr/share/locale/af
/usr/share/locale/af/LC_MESSAGES
/usr/share/locale/af/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/af/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/ar
/usr/share/locale/ar/LC_MESSAGES
/usr/share/locale/ar/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/bg
/usr/share/locale/bg/LC_MESSAGES
/usr/share/locale/bg/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/bn
/usr/share/locale/bn/LC_MESSAGES
/usr/share/locale/bn/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/bo
/usr/share/locale/bo/LC_MESSAGES
/usr/share/locale/bo/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/bs
/usr/share/locale/bs/LC_MESSAGES
/usr/share/locale/bs/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/ca
/usr/share/locale/ca/LC_MESSAGES
/usr/share/locale/ca/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/ce
/usr/share/locale/ce/LC_MESSAGES
/usr/share/locale/ce/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/cs
/usr/share/locale/cs/LC_MESSAGES
/usr/share/locale/cs/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/cy
/usr/share/locale/cy/LC_MESSAGES
/usr/share/locale/cy/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/da
/usr/share/locale/da/LC_MESSAGES
/usr/share/locale/da/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/de
/usr/share/locale/de/LC_MESSAGES
/usr/share/locale/de/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/de/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/el
/usr/share/locale/el/LC_MESSAGES
/usr/share/locale/el/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/en_AU
/usr/share/locale/en_AU/LC_MESSAGES
/usr/share/locale/en_AU/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/en_CA
/usr/share/locale/en_CA/LC_MESSAGES
/usr/share/locale/en_CA/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/en_GB
/usr/share/locale/en_GB/LC_MESSAGES
/usr/share/locale/en_GB/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/en_GB/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/es
/usr/share/locale/es/LC_MESSAGES
/usr/share/locale/es/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/es/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/et
/usr/share/locale/et/LC_MESSAGES
/usr/share/locale/et/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/fa
/usr/share/locale/fa/LC_MESSAGES
/usr/share/locale/fa/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/fa/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/fi
/usr/share/locale/fi/LC_MESSAGES
/usr/share/locale/fi/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/fi/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/fr
/usr/share/locale/fr/LC_MESSAGES
/usr/share/locale/fr/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/gl
/usr/share/locale/gl/LC_MESSAGES
/usr/share/locale/gl/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/gu
/usr/share/locale/gu/LC_MESSAGES
/usr/share/locale/gu/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/he
/usr/share/locale/he/LC_MESSAGES
/usr/share/locale/he/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/hi
/usr/share/locale/hi/LC_MESSAGES
/usr/share/locale/hi/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/hr
/usr/share/locale/hr/LC_MESSAGES
/usr/share/locale/hr/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/hu
/usr/share/locale/hu/LC_MESSAGES
/usr/share/locale/hu/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/id
/usr/share/locale/id/LC_MESSAGES
/usr/share/locale/id/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/id/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/it
/usr/share/locale/it/LC_MESSAGES
/usr/share/locale/it/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/ja
/usr/share/locale/ja/LC_MESSAGES
/usr/share/locale/ja/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/ka
/usr/share/locale/ka/LC_MESSAGES
/usr/share/locale/ka/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/km
/usr/share/locale/km/LC_MESSAGES
/usr/share/locale/km/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/ko
/usr/share/locale/ko/LC_MESSAGES
/usr/share/locale/ko/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/lo
/usr/share/locale/lo/LC_MESSAGES
/usr/share/locale/lo/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/lt
/usr/share/locale/lt/LC_MESSAGES
/usr/share/locale/lt/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/mk
/usr/share/locale/mk/LC_MESSAGES
/usr/share/locale/mk/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/mr
/usr/share/locale/mr/LC_MESSAGES
/usr/share/locale/mr/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/ms
/usr/share/locale/ms/LC_MESSAGES
/usr/share/locale/ms/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/nb
/usr/share/locale/nb/LC_MESSAGES
/usr/share/locale/nb/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/nl
/usr/share/locale/nl/LC_MESSAGES
/usr/share/locale/nl/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/oc
/usr/share/locale/oc/LC_MESSAGES
/usr/share/locale/oc/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/pa
/usr/share/locale/pa/LC_MESSAGES
/usr/share/locale/pa/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/pl
/usr/share/locale/pl/LC_MESSAGES
/usr/share/locale/pl/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/pt
/usr/share/locale/pt/LC_MESSAGES
/usr/share/locale/pt/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/pt/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/pt_BR
/usr/share/locale/pt_BR/LC_MESSAGES
/usr/share/locale/pt_BR/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/ro
/usr/share/locale/ro/LC_MESSAGES
/usr/share/locale/ro/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/ro/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/ru
/usr/share/locale/ru/LC_MESSAGES
/usr/share/locale/ru/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/ru/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/si
/usr/share/locale/si/LC_MESSAGES
/usr/share/locale/si/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/sk
/usr/share/locale/sk/LC_MESSAGES
/usr/share/locale/sk/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/sl
/usr/share/locale/sl/LC_MESSAGES
/usr/share/locale/sl/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/sq
/usr/share/locale/sq/LC_MESSAGES
/usr/share/locale/sq/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/sr
/usr/share/locale/sr/LC_MESSAGES
/usr/share/locale/sr/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/sv
/usr/share/locale/sv/LC_MESSAGES
/usr/share/locale/sv/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/sv/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/sw
/usr/share/locale/sw/LC_MESSAGES
/usr/share/locale/sw/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/ta
/usr/share/locale/ta/LC_MESSAGES
/usr/share/locale/ta/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/th
/usr/share/locale/th/LC_MESSAGES
/usr/share/locale/th/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/tr
/usr/share/locale/tr/LC_MESSAGES
/usr/share/locale/tr/LC_MESSAGES/aa-binutils.mo
/usr/share/locale/tr/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/ug
/usr/share/locale/ug/LC_MESSAGES
/usr/share/locale/ug/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/uk
/usr/share/locale/uk/LC_MESSAGES
/usr/share/locale/uk/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/vi
/usr/share/locale/vi/LC_MESSAGES
/usr/share/locale/vi/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/wa
/usr/share/locale/wa/LC_MESSAGES
/usr/share/locale/wa/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/xh
/usr/share/locale/xh/LC_MESSAGES
/usr/share/locale/xh/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/zh_CN
/usr/share/locale/zh_CN/LC_MESSAGES
/usr/share/locale/zh_CN/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/zh_TW
/usr/share/locale/zh_TW/LC_MESSAGES
/usr/share/locale/zh_TW/LC_MESSAGES/apparmor-parser.mo
/usr/share/locale/zu
/usr/share/locale/zu/LC_MESSAGES
/usr/share/locale/zu/LC_MESSAGES/apparmor-parser.mo
/usr/share/man
/usr/share/man/man1
/usr/share/man/man1/aa-enabled.1.gz
/usr/share/man/man1/aa-exec.1.gz
/usr/share/man/man1/aa-features-abi.1.gz
/usr/share/man/man5
/usr/share/man/man5/apparmor.d.5.gz
/usr/share/man/man5/apparmor.vim.5.gz
/usr/share/man/man7
/usr/share/man/man7/apparmor.7.gz
/usr/share/man/man7/apparmor_xattrs.7.gz
/usr/share/man/man8
/usr/share/man/man8/aa-remove-unknown.8.gz
/usr/share/man/man8/aa-status.8.gz
/usr/share/man/man8/aa-teardown.8.gz
/usr/share/man/man8/apparmor_parser.8.gz
/usr/share/man/man8/apparmor_status.8.gz
/var
/var/cache
/var/cache/apparmor
/usr/sbin/apparmor_status
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    L  .   wL  ..  tM  defer.jsuM  package.jsonvM  promisifyAll.js wM  retry.jsxM  _matchError.js  yM  index.jszM  _identity.js{M  umd.js  |M  
forEach.js  }M  
Disposable.js   ~M  fixtures.js M  catch.jsM  pipe.js M  _noop.jsM  _once.jsM  tapCatch.js M  _evalDisposable.js  M  wrapApply.jsM  
fromEvents.js   M  _finally.js M  
nodeify.js  M  
asyncFn.js  M  
timeout.js  M  
_ExitStack.js   M  	Cancel.js   M  	README.md   M  
finally.js  M  fromCallback.js M  _makeEventAdder.js  M  isPromise.jsM $ _setFunctionNameAndLength.jsM  _symbols.js M  some.js M  
asCallback.js   M  forIterable.js  M  _isDisposable.jsM  makeAsyncIterator.jsM  promisify.jsM  forIn.jsM  delay.jsM  
reflect.js  M  
cancelable.js   M  ignoreErrors.js M ( suppressUnhandledRejections.js  M  wrapCall.js M  try.js  M   _isProgrammerError.js   M  _resolve.js M  forArray.js M  tap.js  M  	forOwn.js   M  	_utils.js   M  fromEvent.jsM  unpromisify.js  M  CancelToken.js  M HTimeoutError.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       ޞ L  .   wL  ..  M  package.jsonM  LICENSE M  	README.md   M lib                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               ފѼL  .   wL  ..  M  distM  package.jsonM 	README.md                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 7BL  .   wL  ..  M  package.jsonM  index.jsM  LICENSE M  CHANGELOG.mdM  	README.md   M  conversions.js  M hroute.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              ޅPL  .   wL  ..  M  package.jsonM  index.jsM  	readme.md   M  
index.d.ts  M license                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       ޓ}[lL  .   wL  ..  M  package.jsonM  index.jsM  
index.d.ts  M  text.js M  	README.md   M  es2015  M pLICENSE-MIT.txt                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               ʶ#!/bin/sh

set -e

case "$1" in
	configure)
		dpkg-trigger --no-await update-initramfs
	;;

	abort-upgrade|abort-remove|abort-deconfigure)
	;;

	*)
		echo "postinst called with unknown argument \`$1'" 1>&2
		exit 1
	;;
esac


                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              9158f1b596959cfd43cd1a462ee6f77c  lib/firmware/av7110/bootcode.bin
2fa6ed98d53d0b5fbcc136d1cf5e9609  lib/firmware/carl9170-1.fw
064309527ab5c6f73f17f99f6b07e471  lib/firmware/cis/3CCFEM556.cis
51e99ef0d234ea1b455b0555336f7379  lib/firmware/cis/3CXEM556.cis
66748ecad364a24ea2150fccb1adbca0  lib/firmware/cis/COMpad2.cis
a1b4e46b220b7ecaec0287875f47e549  lib/firmware/cis/COMpad4.cis
fb612f42364fd06c46aa936386a79abb  lib/firmware/cis/DP83903.cis
bee381e5d148bd073184a5cadfb6c314  lib/firmware/cis/LA-PCM.cis
15bc79fe185e6cc00c888ab6e54a0640  lib/firmware/cis/MT5634ZLX.cis
f6092c8b414a94b96e310654cc5cad04  lib/firmware/cis/NE2K.cis
bc1d913acfd5b8b70a6694bbd48b5795  lib/firmware/cis/PCMLM28.cis
b779b33a4a692557517a3e6edf343fb2  lib/firmware/cis/PE-200.cis
fb7b7e2d7664771f0c4a1a39cc2efabf  lib/firmware/cis/PE520.cis
c9dd2f55d05d86f88cdf52f3e1363da2  lib/firmware/cis/RS-COM-2P.cis
8ae64c3275ce7c253c8c0deb056622a9  lib/firmware/cis/SW_555_SER.cis
0d411ec2e719ed07dcbb1982bdf57f23  lib/firmware/cis/SW_7xx_SER.cis
62369b3c658c2315c191b1d2d80bf2fe  lib/firmware/cis/SW_8xx_SER.cis
90e5c6c2d26d81921e0f8d8c38c355f2  lib/firmware/cis/tamarack.cis
91c51460f1551d968670015bf28805fb  lib/firmware/dsp56k/bootstrap.bin
fbbd56406f7477512f2c5c1d994c7127  lib/firmware/isci/isci_firmware.bin
581bfe4e76362798c124ffb4bd227235  lib/firmware/keyspan_pda/keyspan_pda.fw
aa1e15136f6873c3620da97cd7cd6e55  lib/firmware/keyspan_pda/xircom_pgs.fw
bd4747c22913b607caaa76758dd61942  lib/firmware/usbdux_firmware.bin
c6551c0b17de72f109bc8bbf8233d614  lib/firmware/usbduxfast_firmware.bin
80f7dec9eb4394f8cfca8b21f88ca251  lib/firmware/usbduxsigma_firmware.bin
8dbcc0513822473f1ebe02dcf31dcc01  usr/share/bug/firmware-linux-free/presubj
5357d8ff6b10f16bd113be4348ae470a  usr/share/doc/firmware-linux-free/changelog.Debian.gz
0990379bc4c7bc9f4cc241d408fe3d77  usr/share/doc/firmware-linux-free/copyright
9971cbfbb4b4a4578b0a9be8a8f3132d  usr/share/metainfo/firmware-linux-free.metainfo.xml
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               L  .   wL  ..  M  package.jsonM  example_async.jsM  mainM  LICENSE M  	README.md   M example_sync.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               OKL  .   wL  ..  M  package.jsonM  index.jsM  LICENSE M 	README.md                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             ހML  .   wL  ..  M  package.jsonM  distM  LICENSE.txt M 	README.md                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             ~#!/bin/sh -e

version=6.1.0-35-amd64
image_path=/boot/vmlinuz-$version

if [ "$1" != configure ]; then
    exit 0
fi

depmod $version

if [ -f /lib/modules/$version/.fresh-install ]; then
    change=install
else
    change=upgrade
fi
linux-update-symlinks $change $version $image_path
rm -f /lib/modules/$version/.fresh-install

if [ -d /etc/kernel/postinst.d ]; then
    DEB_MAINT_PARAMS="$*" run-parts --report --exit-on-error --arg=$version \
	      --arg=$image_path /etc/kernel/postinst.d
fi

exit 0
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       #!/bin/sh -e

version=6.1.0-35-amd64
image_path=/boot/vmlinuz-$version

if [ "$1" = abort-upgrade ]; then
    exit 0
fi

if [ "$1" = install ]; then
    # Create a flag file for postinst
    mkdir -p /lib/modules/$version
    touch /lib/modules/$version/.fresh-install
fi

if [ -d /etc/kernel/preinst.d ]; then
    DEB_MAINT_PARAMS="$*" run-parts --report --exit-on-error --arg=$version \
	      --arg=$image_path /etc/kernel/preinst.d
fi

exit 0
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 #!/bin/sh -e

version=6.1.0-35-amd64
image_path=/boot/vmlinuz-$version

if [ "$1" != remove ]; then
    exit 0
fi

linux-check-removal $version

if [ -d /etc/kernel/prerm.d ]; then
    DEB_MAINT_PARAMS="$*" run-parts --report --exit-on-error --arg=$version \
	      --arg=$image_path /etc/kernel/prerm.d
fi

exit 0
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     #!/bin/sh -e

version=6.1.0-35-amd64
image_path=/boot/vmlinuz-$version

rm -f /lib/modules/$version/.fresh-install

if [ "$1" != upgrade ] && command -v linux-update-symlinks >/dev/null; then
    linux-update-symlinks remove $version $image_path
fi

if [ -d /etc/kernel/postrm.d ]; then
    DEB_MAINT_PARAMS="$*" run-parts --report --exit-on-error --arg=$version \
	      --arg=$image_path /etc/kernel/postrm.d
fi

if [ "$1" = purge ]; then
    for extra_file in modules.dep modules.isapnpmap modules.pcimap \
                      modules.usbmap modules.parportmap \
                      modules.generic_string modules.ieee1394map \
                      modules.ieee1394map modules.pnpbiosmap \
                      modules.alias modules.ccwmap modules.inputmap \
                      modules.symbols modules.ofmap \
                      modules.seriomap modules.\*.bin \
		      modules.softdep modules.devname; do
	eval rm -f /lib/modules/$version/$extra_file
    done
    rmdir /lib/modules/$version || true
fi

exit 0
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            Package: linux-image-6.1.0-35-amd64
Source: linux-signed-amd64 (6.1.137+1)
Version: 6.1.137-1
Architecture: amd64
Maintainer: Debian Kernel Team <debian-kernel@lists.debian.org>
Installed-Size: 399277
Depends: kmod, linux-base (>= 4.3~), initramfs-tools (>= 0.120+deb8u2) | linux-initramfs-tool
Recommends: firmware-linux-free, apparmor
Suggests: linux-doc-6.1, debian-kernel-handbook, grub-pc | grub-efi-amd64 | extlinux
Conflicts: linux-image-6.1.0-35-amd64-unsigned
Breaks: fwupdate (<< 12-7), initramfs-tools (<< 0.120+deb8u2), wireless-regdb (<< 2019.06.03-1~)
Replaces: linux-image-6.1.0-35-amd64-unsigned
Built-Using: linux (= 6.1.137-1)
Section: kernel
Priority: optional
Homepage: https://www.kernel.org/
Description: Linux 6.1 for 64-bit PCs (signed)
 The Linux kernel 6.1 and modules for use on PCs with AMD64, Intel 64 or
 VIA Nano processors.
 .
 The kernel image and modules are signed for use with Secure Boot.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  Package: linux-image-6.1.0-35-amd64
Status: install reinstreq half-installed
Priority: optional
Section: kernel
Architecture: amd64
Version: 6.1.137-1
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         ffffffffffffffff B The real System.map is in the linux-image-<version>-dbg package
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             ELF          >                    '          @     @ $ #          GNU ar*&:P)        Linux                Linux   6.1.0-35-amd64  fofoWfo_ fog0fnfH@H@H@   fo    G@fofofofDof:D f:D f:D f:D f:Df:Df:DfD:DffffAffWf_ fg0H@H@H@}fo    fof:D f:Dfffof:D f:Dfffof:D f:DffHr&fof:D f:DffHHH}f:Dfsffofo    fo    fsff:D ffo    foff:Dff:D ff:    f.     D      G     1    ff.     f    uG(1            H@(G1    ff.         G1    ff.     @     AUATAUHSHHNwHH[D]A\A]        tHt(A   HDHA)HMcLL)    AAݿ       DHH    AA    EtHt D[D]A\A]    [D]A\A]    fD      SHHˋx(*1[        SH
1[         SHC1[        H        HtH        H            H                                      +DT      Зu        $ac                       Aq   A                                                                                                                                                                  (                 (                 (                                                                                                                                                                                                                                                                                                                                       6PCLMULQDQ-NI instructions are not detected.
 alias=crypto-crc32-pclmul alias=crc32-pclmul alias=crypto-crc32 alias=crc32 license=GPL author=Alexander Boyko <alexander_boyko@xyratex.com> alias=cpu:type:x86,ven*fam*mod*:feature:*0081* depends= retpoline=Y intree=Y name=crc32_pclmul vermagic=6.1.0-35-amd64 SMP preempt mod_unload modversions   10(f    x86_match_cpu                                           Ts    irq_fpu_usable                                          m    __fentry__                                              ~    _printk                                                 )A    kernel_fpu_begin_mask                                   /r8    kernel_fpu_end                                          e{q*    crypto_register_shash                                   
cw    crypto_unregister_shash                                 [;i    crc32_le                                                9[    __x86_return_thunk                                      e:X    module_layout                                                                                                                                                                          @                   crc32                                                                                                                           crc32-pclmul                                                                                                                                                                                                                                                    crc32_pclmul                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             GCC: (Debian 12.2.0-14+deb12u1) 12.2.0  GCC: (Debian 12.2.0-14+deb12u1) 12.2.0                  ;       ;       ;    x   <      <      .<      A<      U<            
   Z  !    +  `C    g<    B {<    &<  <    ]         
t             F              
G crc32_pclmul_le_16 crc32_pclmul_mod_fini crc32_pclmul_mod_init crc32_pclmul_digest crc32_pclmul_final crc32_pclmul_finup crc32_pclmul_update crc32_pclmul_init crc32_pclmul_setkey crc32_pclmul_cra_init crc32_pclmul_le    crc32-pclmul.ko l                                                                                               	                                                                         /                   	       -                   :                   S            	       i                   }            <                                       $                                  5                     ,                                                                                                                       8       +   	 `       0       >                  B                   X                  h                  |                                                                             -                  @                  L              0    X       5       F                   r                                                                                                     	 `       0                                        8                            "                     8                     G                  Z                     p                                                                __UNIQUE_ID_alias194 __UNIQUE_ID_depends193 ____versions __UNIQUE_ID_retpoline192 __UNIQUE_ID_intree191 __UNIQUE_ID_name190 __UNIQUE_ID_vermagic189 _note_10 _note_9 less_64 loop_64 fold_64 loop_16 crc32_pclmul_cra_init crc32_pclmul_setkey crc32_pclmul_init crc32_pclmul_final crc32_pclmul_mod_init crc32pclmul_cpu_id alg crc32_pclmul_mod_fini crc32_pclmul_le crc32_pclmul_digest crc32_pclmul_finup crc32_pclmul_update __UNIQUE_ID_alias_crypto198 __UNIQUE_ID_alias_userspace197 __UNIQUE_ID_alias_crypto196 __UNIQUE_ID_alias_userspace195 __UNIQUE_ID_license194 __UNIQUE_ID_author193 __UNIQUE_ID___addressable_cleanup_module192 __UNIQUE_ID___addressable_init_module191 x86_match_cpu __this_module irq_fpu_usable cleanup_module __mod_x86cpu__crc32pclmul_cpu_id_device_table __fentry__ init_module _printk kernel_fpu_begin_mask kernel_fpu_end crc32_pclmul_le_16 crypto_register_shash crypto_unregister_shash crc32_le __x86_return_thunk     1                                 C                   K            ,       f            <                6            -            6            -            6            6            -            6            -   
         6   !         -   J         5   O         *            5            0            2            1            5            6            -            6            -            6   !         -   :         6             -                `       
          (                                  3   %                     *          /   4          6                                  4                                                                                                                                                                                $             9      (             3                                                                                                                                                                                        $             '      (             )      ,             -      0             1      4             A      8             E      <             G      @             I      D             N      H                   L                   P                   T                   X                   \                   `                   d                   h                   l                   p                   t                   x                   |                                                                                          &                   9                   >                                        8                                                                                                                                                    (                    0                   8                    @                                                                                                                        8                                              )                      +                      .           8         .           P         +            .symtab .strtab .shstrtab .note.gnu.build-id .note.Linux .rela.text .rela.init.text .rela.exit.text .rodata .rela.return_sites .orc_unwind .rela.orc_unwind_ip .rela__mcount_loc .rodata.str1.8 .modinfo __versions .rela.data .rela.exit.data .rela.init.data .rela.gnu.linkonce.this_module .bss .comment .note.GNU-stack .BTF .gnu_debuglink                                                                                             @       $                              .                     d       <                              ?                            >                             :      @                           !                    J                           8                              E      @               P             !                    Z                                                         U      @                     0       !                    e                     @                                     r                           ,                              m      @               @            !   
                                                                                                                                         @               H             !   
                                            H                                    @               8$             !                          2                     /                                                        (                                                  @                                                                                                    @               %             !                                                                                   @               %             !                                                                                   @               %             !                                         
                    @                     @                &      0       !                                                                             $     0                     P                             -                                                          =                                                        B                                                                                     (      "   (                 	                                                                               0&      Q                             0	*H
01
0	`He0	*H
1a0]080 10UDebian Secure Boot CA2(oe:B&C0	`He0
	*H
  t ֽ^K =}&+}}N%	8^^<g4ux8uo~Dkޏoxb́܊+ZA}ښ鿢VzG TeJDk
.)u=	)eo"1̇݉
$lYNVS8%BRۀy5֯OkEVtU %Zj\l>TډrK!0$K6&         ~Module signature appended~
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     