#!/usr/bin/perl
# Debian task selector, mark II.
# Copyright 2004-2011 by Joey Hess <joeyh@debian.org>.
# Licensed under the GPL, version 2 or higher.
use 5.014;
use Locale::gettext;
use Getopt::Long;
use warnings;
use strict;
textdomain('tasksel');

my $debconf_helper="/usr/lib/tasksel/tasksel-debconf";
my $testdir="/usr/lib/tasksel/tests";
my $packagesdir="/usr/lib/tasksel/packages";
my $descdir="/usr/share/tasksel/descs";
my $localdescdir="/usr/local/share/tasksel/descs";
my $statusfile="/var/lib/dpkg/status";
my $infodir="/usr/lib/tasksel/info";

# This boolean indicates whether we are in dry-run (no-do) mode.  More
# specifically, it disables the actual running of commands by the
# &run() function.
my $testmode=0;

my $taskpackageprefix="task-";

sub warning {
	print STDERR "tasksel: @_\n";
}

sub error {
	print STDERR "tasksel: @_\n";
	exit 1;
}

# my $statuscode = &run("ls", "-l", "/tmp");
# => 0
# Run a shell command except in test mode, and returns its exit code.
# Prints the command in test mode. Parameters should be pre-split for
# system.
sub run {
	if ($testmode) {
		print join(" ", @_)."\n";
		return 0;
	}
	else {
		return system(@_) >> 8;
	}
}

# my @paths = &list_task_descs();
# => ("/path/to/debian-tasks.desc", "/some/other/taskfile.desc")
# Get the list of desc files.
sub list_task_descs {
	# Setting DEBIAN_TASKS_ONLY is a way for the Debian installer
	# to tell tasksel to only use the Debian tasks (from
	# tasksel-data).
	if ($ENV{DEBIAN_TASKS_ONLY}) {
		return glob("$descdir/debian-tasks.desc");
	}
	else {
		return glob("$descdir/*.desc"), glob("$localdescdir/*.desc");
	}
}

# &read_task_desc("/path/to/taskfile.desc");
# => (
#      {
#        task => "gnome-desktop",
#        parent => "desktop",
#        relevance => 1,
#        key => [task-gnome-desktop"],
#        section => "user",
#        test-default-desktop => "3 gnome",
#        sortkey => 1desktop-01
#      },
#      ...
#    )
# Returns a list of hashes; hash values are arrays for multi-line fields.
sub read_task_desc {
	my $desc=shift;

        # %tasks maps the name of each task (the Task: field) to its
        # %%data information (that maps each key to value(s), see the
        # %"while" loop below).
	my %tasks;

	open (DESC, "<$desc") || die "Could not open $desc for reading: $!";
	local $/="\n\n";
	while (defined($_ = <DESC>)) {
		# %data will contain the keys/values of the current
		# stanza.
                # 
                # The keys are stored lowercase.
                # 
                # A single-line value is stored as a scalar "line1"; a
                # multi-line value is stored as a ref to array
                # ["line1", "line2"].
                #
                # $data{relevance} is set to 5 if not otherwise
                # specified in the stanza.
		my %data;

		my @lines=split("\n");
		while (@lines) {
			my $line=shift(@lines);
			if ($line=~/^([^ ]+):(?: (.*))?/) {
				my ($key, $value)=($1, $2);
				$key=lc($key);
				if (@lines && $lines[0] =~ /^\s+/) {
					# multi-line field
					my @values;

                                        # Ignore the first line if it is empty.
					if (defined $value && length $value) {
						push @values, $value;
					}

					while (@lines && $lines[0] =~ /^\s+(.*)/) {
						push @values, $1;
						shift @lines;
					}
					$data{$key}=[@values];
				}
				else {
					$data{$key}=$value;
				}
			}
			else {
				warning "$desc: in stanza $.: warning: parse error, ignoring line: $line";
			}
		}
		$data{relevance}=5 unless exists $data{relevance};
		if (exists $data{task}) {
			$tasks{$data{task}} = \%data;
		}
	}
	close DESC;

	my @ret;
        # In this loop, we simultaneously:
        # 
        # - enrich the %data structures of all tasks with a
        #   ->{sortkey} field
        #
        # - and collect them into @ret.
	foreach my $task (keys %tasks) {
		my $t=$tasks{$task};
		if (exists $t->{parent} && exists $tasks{$t->{parent}}) {
                        # This task has a "Parent:" task.  For example:
                        #
                        #   Task: sometask
                        #   Relevance: 3
                        #   Parent: parenttask
                        #
                        #   Task: parenttask
                        #   Relevance: 6
                        #
                        # In this case, we set the sortkey to "6parenttask-03".
                        #
                        # XXX TODO: support correct sorting when
                        # Relevance is 10 or more (e.g. package
                        # education-tasks).
			$t->{sortkey}=$tasks{$t->{parent}}->{relevance}.$t->{parent}."-0".$t->{relevance};
		}
		else {
                        # This task has no "Parent:" task.  For example:
                        # 
                        #   Task: sometask
                        #   Relevance: 3
                        #
                        # In this case, we set the sortkey to "3sometask-00".
			$t->{sortkey}=$t->{relevance}.$t->{task}."-00";
		}
		push @ret, $t;
	}
	return @ret;
}

# &all_tasks();
# => (
#      {
#        task => "gnome-desktop",
#        parent => "desktop",
#        relevance => 1,
#        key => [task-gnome-desktop"],
#        section => "user",
#        test-default-desktop => "3 gnome",
#        sortkey => 1desktop-01
#      },
#      ...
#    )
# Loads info for all tasks, and returns a set of task structures.
sub all_tasks {
	my %seen;
        # Filter out duplicates: only the first occurrence of each
        # task name is taken into account.
	grep { $seen{$_->{task}}++; $seen{$_->{task}} < 2 }
	map { read_task_desc($_) } list_task_descs();
}


# my %apt_available = %_info_avail()
# => (
#   "debian-policy" => { priority => "optional", section => "doc" },
#   ...
# )
# 
# Call "apt-cache dumpavail" and collect the output information about
# package name, priority and section.
sub _info_avail {
	my %ret = ();
	# Might be better to use the perl apt bindings, but they are not
	# currently in base.
	open (AVAIL, "apt-cache dumpavail|");
	local $_;
	my ($package, $section, $priority);
	while (<AVAIL>) {
		chomp;
		if (not $_) {
                        # End of stanza
			if (defined $package && defined $priority && defined $section) {
				$ret{$package} = {
				       	"priority" => $priority,
					"section" => $section,
				};
			}
		}
		elsif (/^Package: (.*)/) {
			$package = $1;
		}
		elsif (/^Priority: (.*)/) {
			$priority = $1;
		}
		elsif (/^Section: (.*)/) {
			$section = $1;
		}
	}
	close AVAIL;
	return %ret;
}

# my @installed = &list_installed();
# => ("emacs", "vim", ...)
# Returns a list of all installed packages.
# This is not memoised and will run dpkg-query at each invocation.
# See &package_installed() for memoisation.
sub list_installed {
	my @list;
	open (LIST, q{LANG=C dpkg-query -W -f='${Package} ${Status}\n' |});
	while (<LIST>) {
                # Each line looks like this:
                # "adduser install ok installed"
		if (/^([^ ]+) .* installed$/m) {
			push @list, $1;
		}
	}
	close LIST;
	return @list;
}

my %_info_avail_cache;

# my $apt_available = &info_avail();
# => {
#   "debian-policy" => { priority => "optional", section => "doc" },
#   ...
# }
# Returns a hash of all available packages.  Memoised.
sub info_avail {
	my $package = shift;
	if (!%_info_avail_cache) {
		%_info_avail_cache = _info_avail();
	}
	return \%_info_avail_cache;
}

# if (&package_avail("debian-policy")) { ... }
# Given a package name, checks to see if it's installed or available.
# Memoised.
sub package_avail {
	my $package = shift;
	return info_avail()->{$package} || package_installed($package);
}

# Memoisation for &package_installed().
my %installed_pkgs;

# if (&package_installed("debian-policy")) { ... }
# Given a package name, checks to see if it's installed.  Memoised.
sub package_installed {
	my $package=shift;
	
	if (! %installed_pkgs) {
		foreach my $pkg (list_installed()) {
			$installed_pkgs{$pkg} = 1;
		}
	}

	return $installed_pkgs{$package};
}

# if (&task_avail($task)) { ... }
# Given a task hash, checks that all of its key packages are installed or available.
# Returns true if all key packages are installed or available.
# Returns false if any of the key packages is not.
sub task_avail {
	local $_;
	my $task=shift;
	if (! ref $task->{key}) {
		return 1;
	}
	else {
		foreach my $pkg (@{$task->{key}}) {
			if (! package_avail($pkg)) {
				return 0;
			}
		}
		return 1;
	}
}

# if (&task_installed($task)) { ... }
# Given a task hash, checks to see if it is already installed.
# All of its key packages must be installed.  Other packages are not checked.
sub task_installed {
	local $_;
	my $task=shift;
	if (! ref $task->{key}) {
		return 0; # can't tell with no key packages
	}
	else {
		foreach my $pkg (@{$task->{key}}) {
			if (! package_installed($pkg)) {
				return 0;
			}
		}
		return 1;
	}
}

# my @packages = &task_packages($task);
# Given a task hash, returns a list of all available packages in the task.
# 
# It is the list of "Key:" packages, plus the packages indicated
# through the "Packages:" field.
sub task_packages {
	my $task=shift;
	
        # The %list hashtable is used as a set: only its keys matter,
        # the value is irrelevant.
	my %list;

	# "Key:" packages are always included.
	if (ref $task->{key}) {
                # $task->{key} is not a line but a reference (to an
                # array of lines).
		map { $list{$_}=1 } @{$task->{key}};
	}
	
	if (! defined $task->{packages}) {
                # No "Packages:" field.
		# only key
	}
	elsif ($task->{packages} eq 'standard') {
                # Special case of "Packages: standard"
                #
                # The standard packages are the non-library ones in
                # "main" which priority is required, important or
                # standard.
                #
                # We add all standard packages to %list, except the
                # ones that are already installed.
		my %info_avail=%{info_avail()};
		while (my ($package, $info) = each(%info_avail)) {
			my ($priority, $section) = ($info->{priority}, $info->{section});
			if (($priority eq 'required' ||
			     $priority eq 'important' ||
			     $priority eq 'standard') &&
		            # Exclude packages in non-main and library sections
		            $section !~ /^lib|\// &&
			    # Exclude already installed packages
		            !package_installed($package)) {
				$list{$package} = 1;
			}
		}
	}
	else {
		# external method
		my ($method, @params);

                # "Packages:" requests to run a program and use its
                # output as the names of packages.
                #
                # There are basically two forms:
                #
                #   Packages: myprogram
                #
                # Runs /usr/lib/tasksel/packages/myprogram TASKNAME
                #
                #   Packages: myprogram
                #     arg1
                #     arg2...
                #
                # Runs /usr/lib/tasksel/packages/myprogram TASKNAME arg1 arg2...
                #
                # The tasksel package provides the simple "list"
                # program which simply outputs its arguments.
		if (ref $task->{packages}) {
			@params=@{$task->{packages}};
			$method=shift @params;
		}
		else {
			$method=$task->{packages};
		}
		
		map { $list{$_}=1 }
			grep { package_avail($_) }
			split(' ', `$packagesdir/$method $task->{task} @params`);
	}

	return keys %list;
}

# &task_test($task, $new_install, $display_by_default, $install_by_default);
# Given a task hash, runs any test program specified in its data, and sets
# the _display and _install fields to 1 or 0 depending on its result.
#
# If _display is true, _install means the default proposal shown to
# the user, who can modify it.  If _display is false, _install says
# what to do, without asking the user.
sub task_test {
	my $task=shift;
	my $new_install=shift;
	$task->{_display} = shift; # default
	$task->{_install} = shift; # default
	$ENV{NEW_INSTALL}=$new_install if defined $new_install;
        # Each task may define one or more tests in the form:
        #
        #   Test-PROGRAM: ARGUMENTS...
        #
        # Each of the programs will be run like this:
        #
        #   /usr/lib/tasksel/tests/PROGRAM TASKNAME ARGUMENTS...
        #
        # If $new_install is true, the NEW_INSTALL environment
        # variable is set for invoking the program.
        #
        # The return code of the invocation then indicates what to set:
        #
        #   0 - don't display, but install it
        #   1 - don't display, don't install
        #   2 - display, mark for installation
        #   3 - display, don't mark for installation
        #   anything else - don't change the values of _display or _install
	foreach my $test (grep /^test-.*/, keys %$task) {
		$test=~s/^test-//;
		if (-x "$testdir/$test") {
			my $ret=system("$testdir/$test", $task->{task}, split " ", $task->{"test-$test"}) >> 8;
			if ($ret == 0) {
				$task->{_display} = 0;
				$task->{_install} = 1;
			}
			elsif ($ret == 1) {
				$task->{_display} = 0;
				$task->{_install} = 0;
			}
			elsif ($ret == 2) {
				$task->{_display} = 1;
				$task->{_install} = 1;
			}
			elsif ($ret == 3) {
				$task->{_display} = 1;
				$task->{_install} = 0;
			}
		}
	}
	
	delete $ENV{NEW_INSTALL};
	return $task;
}

# &hide_enhancing_tasks($task);
# 
# Hides a task and marks it not to be installed if it enhances other
# tasks.
#
# Returns $task.
sub hide_enhancing_tasks {
	my $task=shift;
	if (exists $task->{enhances} && length $task->{enhances}) {
		$task->{_display} = 0;
		$task->{_install} = 0;
	}
	return $task;
}

# &getdescriptions(@tasks);
# 
# Looks up the descriptions of a set of tasks, returning a new list
# with the ->{shortdesc} fields filled in.
#
# Ideally, the .desc file would indicate a description of each task,
# which would be retrieved quickly.  For missing Description fields,
# we fetch the data with "apt-cache show task-TASKNAME...", which
# takes longer.
#
# @tasks: list of references, each referencing a task data structure.
# 
# Each data structured is enriched with a ->{shortdesc} field,
# containing the localized short description.
#
# Returns @tasks.
sub getdescriptions {
	my @tasks=@_;

	# If the task has a description field in the task desc file,
	# just use it, looking up a translation in gettext.
	@tasks = map {
		if (defined $_->{description}) {
			$_->{shortdesc}=dgettext("debian-tasks", $_->{description}->[0]);
		}
		$_;
	} @tasks;

	# Otherwise, a more expensive apt-cache query is done,
	# to use the descriptions of task packages.
	my @todo = grep { ! defined $_->{shortdesc} } @tasks;
	if (@todo) {
		open(APT_CACHE, "apt-cache show ".join(" ", map { $taskpackageprefix.$_->{task} } @todo)." |") || die "apt-cache show: $!";
		local $/="\n\n";
		while (defined($_ = <APT_CACHE>)) {
			my ($name)=/^Package: $taskpackageprefix(.*)$/m;
			my ($description)=/^Description-(?:[a-z][a-z](?:_[A-Z][A-Z])?): (.*)$/m;
			($description)=/^Description: (.*)$/m
				unless defined $description;
			if (defined $name && defined $description) {
				@tasks = map {
					if ($_->{task} eq $name) {
						$_->{shortdesc}=$description;
					}
					$_;
				} @tasks;
			}
		}
		close APT_CACHE;
	}

	return @tasks;
}

# &task_to_debconf(@tasks);
# => "task1, task2, task3"
# Converts a list of tasks into a debconf list of the task short
# descriptions.
sub task_to_debconf {
	join ", ", map { format_description_for_debconf($_) } getdescriptions(@_);
}

# my $debconf_string = &format_description_for_debconf($task);
# => "... GNOME"
# Build a string for making a debconf menu item.
# If the task has a parent task, "... " is prepended.
sub format_description_for_debconf {
	my $task=shift;
	my $d=$task->{shortdesc};
	$d=~s/,/\\,/g;
	$d="... ".$d if exists $task->{parent};
	return $d;
}

# my $debconf_string = &task_to_debconf_C(@tasks);
# => "gnome-desktop, kde-desktop"
# Converts a list of tasks into a debconf list of the task names.
sub task_to_debconf_C {
	join ", ", map { $_->{task} } @_;
}

# my @my_tasks = &list_to_tasks("task1, task2, task3", @tasks);
# => ($task1, $task2, $task3)
# Given a first parameter that is a string listing task names, and then a
# list of task hashes, returns a list of hashes for all the tasks
# in the list.
sub list_to_tasks {
	my $list=shift;
	my %lookup = map { $_->{task} => $_ } @_;
	return grep { defined } map { $lookup{$_} } split /[, ]+/, $list;
}

# my @sorted_tasks = &order_for_display(@tasks);
# Orders a list of tasks for display.
# The tasks are ordered according to the ->{sortkey}.
sub order_for_display {
	sort {
		$a->{sortkey} cmp $b->{sortkey}
		              || 0 ||
	        $a->{task} cmp $b->{task}
	} @_;
}

# &name_to_task($taskname, &all_tasks());
# &name_to_task("gnome-desktop", &all_tasks());
# => {
#      task => "gnome-desktop",
#      parent => "desktop",
#      relevance => 1,
#      key => [task-gnome-desktop"],
#      section => "user",
#      test-default-desktop => "3 gnome",
#      sortkey => 1desktop-01
#    }
# Given a set of tasks and a name, returns the one with that name.
sub name_to_task {
	my $name=shift;
	return (grep { $_->{task} eq $name } @_)[0];
}

# &task_script($task, "preinst") or die;
# Run the task's (pre|post)(inst|rm) script, if there is any.
# Such scripts are located under /usr/lib/tasksel/info/.
sub task_script {
	my $task=shift;
	my $script=shift;

	my $path="$infodir/$task.$script";
	if (-e $path && -x _) {
		my $ret=run($path);
		if ($ret != 0) {
			warning("$path exited with nonzero code $ret");
			return 0;
		}
	}
	return 1;
}

# &usage;
# Print the usage.
sub usage {
        print STDERR gettext(q{tasksel [OPTIONS...] [COMMAND...]
 Commands:
  install TASK...       install tasks
  remove TASK...        uninstall tasks
  --task-packages=TASK  list packages installed by TASK; can be repeated
  --task-desc=TASK      print the description of a task
  --list-tasks          list tasks that would be displayed and exit
 Options:
  -t, --test            dry-run: don't really change anything
      --new-install     automatically install some tasks
  --debconf-apt-progress="ARGUMENTS..."
                        provide additional arguments to debconf-apt-progress(1)
});
}

# Process command line options and return them in a hash.
sub getopts {
	my %ret;
	Getopt::Long::Configure ("bundling");
	if (! GetOptions(\%ret, "test|t", "new-install", "list-tasks",
		   "task-packages=s@", "task-desc=s",
		   "debconf-apt-progress=s")) {
		usage();
		exit(1);
	}
	# Special case apt-like syntax.
	if (@ARGV) {
		my $cmd = shift @ARGV;
		if ($cmd eq "install") {
			$ret{cmd_install} = \@ARGV;
		}
		elsif ($cmd eq "remove") {
			$ret{cmd_remove} = \@ARGV;
		}
		else {
			usage();
			exit 1;
		}
	}
	$testmode=1 if $ret{test}; # set global
	return %ret;
}

# &interactive($options, @tasks);
# Ask the user and mark tasks to install or remove accordingly.
# The tasks are enriched with ->{_install} or ->{_remove} set to true accordingly.
sub interactive {
	my $options = shift;
	my @tasks = @_;

	if (! $options->{"new-install"}) {
		# Don't install hidden tasks if this is not a new install.
		map { $_->{_install} = 0 } grep { $_->{_display} == 0 } @tasks;
	}

	my @list = order_for_display(grep { $_->{_display} == 1 } @tasks);
	if (@list) {
		if (! $options->{"new-install"}) {
			# Find tasks that are already installed.
			map { $_->{_installed} = task_installed($_) } @list;
			# Don't install new tasks unless manually selected.
			map { $_->{_install} = 0 } @list;
		}
		else {
			# Assume that no tasks are installed, to ensure
			# that complete tasks get installed on new
			# installs.
			map { $_->{_installed} = 0 } @list;
		}
		my $question="tasksel/tasks";
		if ($options->{"new-install"}) {
			$question="tasksel/first";
		}
		my @default = grep { $_->{_display} == 1 && ($_->{_install} == 1 || $_->{_installed} == 1) } @tasks;
		my $tmpfile=`mktemp`;
		chomp $tmpfile;
		my $ret=system($debconf_helper, $tmpfile,
			task_to_debconf_C(@list),
			task_to_debconf(@list),
			task_to_debconf_C(@default),
			$question) >> 8;
		if ($ret == 30) {
			exit 10; # back up
		}
		elsif ($ret != 0) {
			error "debconf failed to run";
		}
		open(IN, "<$tmpfile");
		$ret=<IN>;
		if (! defined $ret) {
			die "tasksel canceled\n";
		}
		chomp $ret;
		close IN;
		unlink $tmpfile;
		
		# Set _install flags based on user selection.
		map { $_->{_install} = 0 } @list;
		foreach my $task (list_to_tasks($ret, @tasks)) {
			if (! $task->{_installed}) {
				$task->{_install} = 1;
			}
			$task->{_selected} = 1;
		}
		foreach my $task (@list) {
			if (! $task->{_selected} && $task->{_installed}) {
				$task->{_remove} = 1;
			}
		}
	}

        # When a $task Enhances: a @group_of_tasks, it means that
        # $task can only be installed if @group_of_tasks are also
        # installed; and if @group_of_tasks is installed, it is an
        # incentive to also install $task.
        #
        # For example, consider this task:
        # 
        #   Task: amharic-desktop
        #   Enhances: desktop, amharic
        #
        # The task amharic-desktop installs packages that make
        # particular sense if the user wants both a desktop and the
        # amharic language environment.  Conversely, if
        # amharic-desktop is selected (e.g. by preseeding), then it
        # automatically also selects tasks "desktop" and "amharic".

	# If an enhancing task is already marked for
	# install, probably by preseeding, mark the tasks
	# it enhances for install.
	foreach my $task (grep { $_->{_install} && exists $_->{enhances} &&
	                         length $_->{enhances} } @tasks) {
		map { $_->{_install}=1 } list_to_tasks($task->{enhances}, @tasks);
	}

	# Select enhancing tasks for install.
	# XXX FIXME ugly hack -- loop until enhances settle to handle
	# chained enhances. This is ugly and could loop forever if
	# there's a cycle.
	my $enhances_needswork=1;

        # %tested is the memoization of the below calls to
        # %&task_test().
	my %tested;

        # Loop as long as there is work to do.
	while ($enhances_needswork) {
		$enhances_needswork=0;

                # Loop over all unselected tasks that enhance one or
                # more things.
		foreach my $task (grep { ! $_->{_install} && exists $_->{enhances} &&
		                         length $_->{enhances} } @tasks) {
                        # TODO: the computation of %tasknames could be
                        # done once and for all outside of this nested
                        # loop, saving some redundant work.
			my %tasknames = map { $_->{task} => $_ } @tasks;

                        # @deps is the list of tasks enhanced by $task.
                        # 
                        # Basically, if all the deps are installed,
                        # and tests say that $task can be installed,
                        # then mark it to install.  Otherwise, don't
                        # install it.
			my @deps=map { $tasknames{$_} } split ", ", $task->{enhances};

			if (grep { ! defined $_ } @deps) {
				# task enhances an unavailable or
				# uninstallable task
				next;
			}

			if (@deps) {
                                # FIXME: isn't $orig_state always
                                # false, given that the "for" loop
                                # above keeps only $tasks that do
                                # not have $_->{_install}?
				my $orig_state=$task->{_install};

				# Mark enhancing tasks for install if their
				# dependencies are met and their test fields
				# mark them for install.
				if (! exists $tested{$task->{task}}) {
					$ENV{TESTING_ENHANCER}=1;
					task_test($task, $options->{"new-install"}, 0, 1);
					delete $ENV{TESTING_ENHANCER};
					$tested{$task->{task}}=$task->{_install};
				}
				else {
					$task->{_install}=$tested{$task->{task}};
				}

				foreach my $dep (@deps) {
					if (! $dep->{_install}) {
						$task->{_install} = 0;
					}
				}

				if ($task->{_install} != $orig_state) {
					# We have made progress:
					# continue another round.
                                        $enhances_needswork=1;
				}
			}
		}
	}

}

sub main {
	my %options=getopts();
	my @tasks_remove;
	my @tasks_install;

	# Options that output stuff and don't need a full processed list of
	# tasks.
	if (exists $options{"task-packages"}) {
		my @tasks=all_tasks();
		foreach my $taskname (@{$options{"task-packages"}}) {
			my $task=name_to_task($taskname, @tasks);
			if ($task) {
				print "$_\n" foreach task_packages($task);
			}
		}
		exit(0);
	}
	elsif ($options{"task-desc"}) {
		my $task=name_to_task($options{"task-desc"}, all_tasks());
		if ($task) {
                        # The Description looks like this:
                        #
                        #   Description: one-line short description
                        #     Longer description,
                        #     possibly spanning
                        #     multiple lines.
                        #
                        # $extdesc will contain the long description,
                        # reformatted to one line.
			my $extdesc=join(" ", @{$task->{description}}[1..$#{$task->{description}}]);
			print dgettext("debian-tasks", $extdesc)."\n";
			exit(0);
		}
		else {
			fprintf STDERR ("Task %s has no description\n", $options{"task-desc"});
			exit(1);
		}
	}

	# This is relatively expensive, get the full list of available tasks and
	# mark them.
	my @tasks=map { hide_enhancing_tasks($_) } map { task_test($_, $options{"new-install"}, 1, 0) }
	          grep { task_avail($_) } all_tasks();
	
	if ($options{"list-tasks"}) {
		map { $_->{_installed} = task_installed($_) } @tasks;
		@tasks=getdescriptions(@tasks);
                # TODO: use printf() instead of print for correct column alignment
		print "".($_->{_installed} ? "i" : "u")." ".$_->{task}."\t".$_->{shortdesc}."\n"
			foreach order_for_display(grep { $_->{_display} } @tasks);
		exit(0);
	}
	
	if ($options{cmd_install}) {
		@tasks_install = map { name_to_task($_, @tasks) } @{$options{cmd_install}};
	}
	elsif ($options{cmd_remove}) {
		@tasks_remove = map { name_to_task($_, @tasks) } @{$options{cmd_remove}};
	}
	else {
		interactive(\%options, @tasks);

		# Add tasks to install
		@tasks_install = grep { $_->{_install} } @tasks;
		# Add tasks to remove
		@tasks_remove = grep { $_->{_remove} } @tasks;
	}

	my @cmd;
	if (-x "/usr/bin/debconf-apt-progress") {
		@cmd = "debconf-apt-progress";
		push @cmd, split(' ', $options{'debconf-apt-progress'})
			if exists $options{'debconf-apt-progress'};
		push @cmd, "--";
	}
	push @cmd, qw{apt-get -q -y -o APT::Install-Recommends=true -o APT::Get::AutomaticRemove=true -o Acquire::Retries=3 install};

	# And finally, act on selected tasks.
	if (@tasks_install || @tasks_remove) {
		foreach my $task (@tasks_remove) {
			push @cmd, map { "$_-" } task_packages($task);
			task_script($task->{task}, "prerm");
		}
		foreach my $task (@tasks_install) {
			push @cmd, task_packages($task);
			task_script($task->{task}, "preinst");
		}
		my $ret=run(@cmd);
		if ($ret != 0) {
			error gettext("apt-get failed")." ($ret)";
		}
		foreach my $task (@tasks_remove) {
			task_script($task->{task}, "postrm");
		}
		foreach my $task (@tasks_install) {
			task_script($task->{task}, "postinst");
		}
	}
}

main();
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           #!/bin/sh
#
# Controls behavior for a task on new install or not. 
#
# To enable this test insert your tasks stanza a keyword like:
#
# Test-new-install: mark skip
#
# This will cause the task to be marked for install on new install, and
# hidden otherwise.

if [ "$NEW_INSTALL" ]; then
	var=$2
else
	var=$3
fi

case "$var" in
	install)
		exit 0 # do not display, but do install task
	;;
	skip)
		exit 1 # do not display task
	;;
	mark)
		exit 2 # display task, marked for installation
	;;
	show)
		exit 3 # display task, not marked for installation
	;;
	*)
		exit 1 # unknown value, skip the task
	;;
esac
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      }XMܶWt"řrU9|r|!}^wv4Kݯ_a39tcL9JP*8|.?;0bѧ1&,s'G͏ُ4xJ9n{sO0Buݒ]lwX&{%ĉ!..-*p
=~O7Bt<tᦃy=p"6i3$CLŰ)|&K(|sNvrT" 蝙mhO>Fs
NOiC$+3ɳ	։0oPq>%b"̻z'NC//szFS"g3sdΈν:B89
VTg#ǎ$42 1L6nB9$6")op:u7y ^;XU[G]8^HeڝV9>ղ5VZYK=~.dpB:
/B.Ce!>\hWҦl/:2;WT?LZy
,w=\uaw'؜*~2*Uu5mݹ6)(rR|
l
\}N/vbi}̅nh
Bqo&/|Ew}{C[#9Ny䞓BHVH57\Dq10۹XkzGO6`G>pcC`1GZCUA()ǳGW Rz8[49 Uׯ V}o(~3
C O(R9{ &(ja-0'D/s_aIo cCHYG@"1~nJ^ C]`Ng;rM4cǈ:1zq+dƑYuɈ':_QQjP|4X.9AqlrV{uԲF򲾸bV`pqz[+JGkdV-"WσJa{Id[Y UoMM˷F$K#<b
jnV8ŎMX΂̾1:J0d= '^a)Yc휙6kns8Ȉ`f2`ʋ:^-^a5Т٘&9^"
-JʣJP%\* .I|zMM`+**ӓ T0Dt`
I //B#-/pA$cm`9FLN
м $#ܲF|g6I?`Os@b=-soF	H⠉!<k._
 |y]SzK*`Nw7a8fӺ"@#D;~̓m-܍A݋ss_ltdX5~q}4Dգ>e#jj_ۍUcJ h,
57vVzɎF! M&
JZ
%ט@tf I;*Wy?PjE/VUbM_JhuJu2jID4
Wsj͵g}vgM9?Qclu_履Xàun.W\P`^E$
iUw	oؠZ)E;#%s
شlTOX0'jL73Rj1̜6鶰(hw!!rudur𿨬o#JK)amỴA'
T_$Sm]	+Q5E`C4{[AcFrE<x?JoldKzeUH|^vUeZ6Q^'衔Dcqrc/&R+!Yq	0S\Nvk&
B^-
n!r9t\G߸LhQۚ,uPʑJ][QT=\:;Bn%;v1ag&aUʠOI2%,wL_KY3ΞM&6r*?2yPVkSd7Ƨ?u2FVHxPԾ7?	XWJH[zop,6.Vju|䵑*#nOa'y%YP66L2Qe^Fj
fRz2ɥٔ8Pjo<                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    Now that debconf-apt-progress is used and tasksel can run inside debconf,
it would be nice to convert it so tasksel starts debconf in the beginning,
and runs everything under debconf, except perhaps any manual package
selection that the user might decide to do. This would reduce startup
delays and also the delay between the two debconf runs it does now.

Also, to better handle the case of one task being removed while another is
installed, use debconf-apt-progress with waypoints.

----

Move more data from tasks/* to task packages.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            ZmrHSTlDKnO{6ږZܖ؈)EL  Jݽ\bb7ٓ˪	PHUȏ/PbY1D|*=Ys*bY17v4QӪ`kY
}ŢX*2yR+8ʅHc63%V*WJ1IOM^J15c)vxKh`AT挳XfBdw2]-dSUD<E*Uk%+Mv@B{QXkB&Ŋflbtf<)ΰJtX,lQP3<u
%ԸJy+Hy;]kgJTɂS_]T%_R3<	G}燾Qp~9?-eW<楈mX@)Yg^lA0r{U&RdOקnS8(re,ژؙV9y.t-5-!H<-qqfo^"$uY\ey״'O>^J5HrH"(.yjmM'qa*Y&"Q\"3^%eN%[OHuиpB#8I.4OC1aDkB%ZD%<Dk2k4Y\bfP,C#TifO6\a1E]^;oX,!Z .E."9
xvj۱E;^gh!px?vYJ\Hd9ډFz?m)v֜rg{Ԯi. ͮͥVɄ#3ttPBo?,TyB2{dd0	>8>ÔAQ`mAH05kmc*ޙ	Γ0v'r^uZgV!K%0%s:l'36{U68_g]&,Kn1P `=f|2dD]Fx
,Wb7j8$D8*܆Ә(-)׈|ط6 19UB`0~pObJH=4P(&<p$!$JQ^#J#B\:Ls-OPWM8{~xU['77q]y-@;^Zʑ^!
IVDe q/A6 <9
c@JS`5Z켐9Ոw<lm@v~NW̓AqVadXD%_nęʾ-	2Y-).	dRǰUW*N]#!
:I؟Oy{|8jMI
g^f`MQ{&o/}":@MNF;Q.y*;mx2xJFf3Ztڠc<@ksoew	L+nBwsuL,  ~KE	 'etw19`PV}b}BpOR	R?nF97:fOsmIO>-gH[TQ7?x)H	(#T
}=E0̽ۥ|MMw5}JO&ŖPEԳsrFXŮu!Cڦ=
3KGF)5u^
kDVN$/]fHBE)v+j^uJj#۝HmSp^_."	g]wҸ4AV wJo#*!^m!
y8Ya,+ႯĦ!$$nT-A6ρ|ZT'Sl%cH3	_ޅĄd90yvӇpGDp|x;㲨1"4ttLT}q9gb
0
?A3$jr2'KÜHFs^Wi4~xqX~ݤy; UB Ҫ-"ѐ-	ģOyMug{k4_Dq\CLӎ
hQ!DqibVEZ6~+"}411SlΑo@!XW]ݼx}~S`rtDfV6&I5ɵ
ǇWkpc\?_;4~/P~cZ-B7	Ҟ&J70,!QOzW6P)3zL]~}YVW*f:؛+{[3bAL*iw"u{B[d3
Jj֗
A13`i|RMŤaf}Ĵ6!1R2G</DCgy.SB%h1XMK۔hʍm>!M"7Cr2nZMY,b}wj.)dѰ΍<M$
"^ceU"aU;V&mMVܰW9IJyBM&/x$(eV)â]=fC#.Ҡ-R=Q4r+0?Dal-A:A8WΪCD
o*i.7gd4n[Ly;ss`B{eߦH@-dxҷZÀ;z]5u^BR+FN^Ug'}>-1z
$Dۍ+9j6ѐQBQf+#2iy^\72пܔöpD^	
 ,uE2l ;:L@tϫJK-:g۳Zfx@nwEDAo*eR~7@6٬ bȁ2+$:]ҍ>d/& Ϫd\Ѩd:)Oɣ+4͎=PNR<_'a/.?:9/S>?L:LE%LĊB!+xdw󫱉}M;y6תʏ]M GR 5+-,]$zi)&}Ծ}}p33yi׎^]J3љQflYOP1+KgFA
|+S^l7=/ tpjFrfͥHZÏ{
D!dt{`4,`{x6p7.^GGKvx:7OǇ /4Џ?a6a<e-ߘbIǽJ;*O$rt)$YwRPv2ԠAyj
(YeqZWHM-55l34eC** |DЄE^
{(bThc7ݳگŐ
`6~{څ]hwG{s\=+F!
@hE@WT^Th6ZZ8==ca/һ?SE6˞&Nj]XPcZxhYƃA0?	N\vƇ]}CrML޻biij#~]Aj~M(M,Fٖ4zĺS.=A8vO&[uJjÔ#zEk<M~!JޤC#syQ6khO:ݞCYjhLLέg?uRr/Yv@uLDbl0"ps`n;l!pTEFi5wF zР9sHA	V!o}?c63d8D8zȭvِM*/\sa]SҬ
qIX?Sw	e7GS狖90s-Ee嵯`ه8v,Zg7gӼt|ll(H.zsܼ^mӅF7
5Z*yJdd{P_өJx^#Y;mԕyCƘRdLkGk=xz' B_;j(Z<}2nђ3<zmY
'罠?$@f{#sTn. vnEbw1Q,                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    Format: https://www.debian.org/doc/packaging-manuals/copyright-format/1.0/

Files: *
Copyright:
 1999-2002 Randolph Chung
 1999-2011 Joey Hess
License: GPL-2
 See /usr/share/common-licenses/GPL-2 for the full text of the GPL.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              # Ignore various debconf-related false positives
tasksel: no-debconf-config
tasksel: unused-debconf-template tasksel/*
tasksel: debconf-is-not-a-registry *usr/lib/tasksel/tasksel-debconf*
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              4      L       `   j  a        B                               Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel_po
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-07-05 23:57+0300
Last-Translator: Ossama M. Khayat <okhayat@yahoo.com>
Language-Team: Arabic <support@arabeyes.org>
Language: ar
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.9.1
 Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [خيارات]
	-t, --test          وضع الاختبار؛ دون عمل شيء فعلياً
	    --new-install   تثبيت بعض المهام آلياً
	    --list-tasks    عرض المهام التي يمكن عرضها والخروج
	    --task-packages سرد الحزم المتوفرة في مهمة
	    --task-desc     عرض وصف مهمة
 فشل apt-get                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     4      L       `   j  a        -    4  	  5   >                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel 1.44
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-01-11 10:56+0200
Last-Translator: Ognyan Kulev <ogi@fmi.uni-sofia.bg>
Language-Team: Bulgarian <dict@linux.zonebg.com>
Language: bg
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 Употреба:
tasksel install <задача>...
tasksel remove <задача>...
tasksel [опции]
	-t, --test          тестов режим; не се прави нищо
	    --new-install   автоматично инсталиране на някои задачи
	    --list-tasks    извеждане на задачите, които биха били предложени
	    --task-packages извеждане на наличните пакети в задача
	    --task-desc     извеждане на описание на задача
 грешка при изпълнение на apt-get                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       4      L       `   j  a        '        4                       Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: bn
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2010-02-07 18:56+0600
Last-Translator: Israt Jahan <israt@ankur.org.bd>
Language-Team: Bengali <ankur-bd-l10n@googlegroups.com>
Language: bn
MIME-Version: 1.0
Content-Type: text/plain; charset=utf-8
Content-Transfer-Encoding: 8bit
 ব্যবহারবিধি:
টাস্কসেল ইনস্টল <task>
টাস্কসেল অপসারণ <task>
টাস্কসেল [options]
	-t, --test          পরীক্ষামুলক মোড; কিছু করবে না
	    --new-install   কিছু কাজ সয়ংক্রিয় ভাবে ইনস্টল করবে
	    --list-tasks    টাস্কের তালিকা যেগুলো প্রদর্শন এবং প্রস্থান করা হবে
	    --task-packages একটি কাজে উপস্থিত প্যাকেজের তালিকা প্রদর্শন
	    --task-desc     একটি কাজের বর্ননা প্রেরণ করবে
 এ্যাপটিটিউড ব্যর্থ                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              4      L       `   j  a        '    d       h                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-10-31 12:08+0100
Last-Translator: Safir Secerovic <sapphire@linux.org.ba>
Language-Team: Bosnian <lokal@linux.org.ba>
Language: bs
MIME-Version: 1.0
Content-Type: text/plain; charset=utf-8
Content-Transfer-Encoding: 8bit
 Upotreba:
tasksel install <task>...
tasksel remove <task>...
tasksel [opcije]
	-t, --test          testni mod; zapravo ne čini ništa
	    --new-install   automatski instaliraj neke zadatke
	    --list-tasks    listaj zadatke koji bi bili prikazani i izađi
	    --task-packages listaj dostupne pakete u zadatku
	    --task-desc     ispisuje opis zadatka
 apt-get nije uspjeo                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               4      L       `   j  a        7                               Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel 2.41
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-02-05 21:39+0100
Last-Translator: Jordi Mallach <jordi@debian.org>
Language-Team: Catalan <debian-l10n-catalan@lists.debian.org>
Language: ca
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 Forma d'ús:
tasksel install <tasca>...
tasksel remove <tasca>...
tasksel [opcions]
	-t, --test           mode de prova; no faces res
	    --new-install    instal·la automàticament algunes tasques
	    --list-tasks     llista les tasques que es mostrarien i surt
	    --task-packages  llista els paquets disponibles en una tasca
	    --task-desc      mostra la descripció d'una tasca
 apt-get ha fallat                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  4      L       `   j  a        -    n  	     x                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-11-20 08:40+0100
Last-Translator: Miroslav Kure <kurem@debian.cz>
Language-Team: Czech <debian-l10n-czech@lists.debian.org>
Language: cs
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 Použití:
tasksel install <úloha>...
tasksel remove <úloha>...
tasksel [volby]
	-t, --test          testovací režim; pouze simuluje provádění
	    --new-install   automaticky nainstaluje některé úlohy
	    --list-tasks    zobrazí seznam úloh a skončí
	    --task-packages zobrazí balíky dostupné v úloze
	    --task-desc     zobrazí popis úlohy
 apt-get selhala                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   4      L       `   j  a        "    w       v                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tarksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2012-06-13 22:29-0000
Last-Translator: Dafydd Tomos <l10n@da.fydd.org>
Language-Team: Welsh <cy@pengwyn.linux.org.uk>
Language: cy
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 Defnydd:
tasksel install <tasg>...
tasksel remove <tasg>...
tasksel [dewisiadau]
	-t, --test          modd profi; peidio a gwneud dim byd go iawn
	    --new-install   sefydlu rhai tasgau'n awtomatig
	    --list-tasks    rhestru tasgau a fyddai'n cael eu dangos a gorffen
	    --task-packages rhestru'r pecynnau ar gael o fewn tasg
	    --task-desc     dangos disgrifiad tasg
 methodd apt-get                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     4      L       `   j  a        h    l  D                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-11-20 10:32+0100
Last-Translator: Claus Hindsgaul <claus_h@image.dk>
Language-Team: Danish <dansk@klid.dk>
Language: da
MIME-Version: 1.0
Content-Type: text/plain; charset=ISO-8859-1
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.10.2
Plural-Forms:  nplurals=2; plural=(n != 1);
 Brug:
tasksel install <opgave>...
tasksel remove <opgave>...
tasksel [tilvalg]
	-t, --test          testtilstand; udfr ingen handlinger
	    --new-install   installr nogle opgaver automatisk
	    --list-tasks    vis opgaver, der ville blive vist og afslut
	    --task-packages vis en opgaves tilgngelige pakker
	    --task-desc     viser en opgaves beskrivelse
 apt-get fejlede                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          4      L       `   j  a        Y    o  5                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2021-11-01 22:22+0100
Last-Translator: Jens Seidel <jensseidel@users.sf.net>
Language-Team: Debian German <debian-l10n-german@lists.debian.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=ISO-8859-1
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 0.9.5
 Verwendung:
tasksel install <Task>...
tasksel remove <Task>...
tasksel [Optionen]
	-t, --test          Test-Modus. Nichts ndern
	    --new-install   Installiert einige Tasks automatisch
	    --list-tasks    Zeigt Tasks an und verlsst das Programm
	    --task-packages Zeigt vorhandene Pakete in einem Task
	    --task-desc     Gibt die Beschreibung eines Tasks aus
 apt-get fehlgeschlagen                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               4      L       `   j  a        5        3                       Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel-program 
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-04-05 21:21-0500
Last-Translator: kinley tshering <gaseokuenden2k3@hotmail.com>
Language-Team: DZONGKHA <pgeyleg@dit.gov.bt>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=utf-8
Content-Transfer-Encoding: 8bit
 ལག་ལེན:
:	asksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test       བརྟག་ཞིབ་ཐབས་ལམ། ག་ནི་ཡང་མི་འབད།
	    --new-install      རང་་བཞིན་གྱིས་ལས་ཀ་འདི་ཚུ་གཞི་བཙུགས་འབདཝ་ཨིན།
	    --list-tasks        བཀྲམ་སྟོན་དང་ཕྱིར་ཐོན་འབད་ནིའི་ལས་ཀ་འདི་ཚུ་་ཐོ་བཀོད་འབད།
 	    --task-packages         འ་ནི་ལས་ཀ་འདི་ནང་ཐོབ་ཆོག་ཆོག་ཡོད་པའི་ཐུམ་སྒྲིལ་་ཚུ་ཐོ་བཀོད་འབད།
	    --task-desc           ལས་ཀ་གི་འགྲེལ་བཤད་ཚུ་ སླར་ལོག་འབདཝ་ཨིན།
 མྱུར་འཇུག་མ་བཏུབ།                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             4      L       `   j  a        S    c  /                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: el
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-12-19 13:20+0200
Last-Translator: George Papamichelakis <george@step.gr>
Language-Team:  <debian-l10n-greek@lists.debian.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n != 1);
 Χρήση:
tasksel install <task>...
tasksel remove <task>...
tasksel [επιλογές]; όπου επιλογές μπορούν να είναι:
	-t --test           δοκιμαστικά χωρίς εκτέλεση εργασίας
	    --new-install   αυτόματη εγκατάσταση μερικών εργασιών
	    --list-tasks    εμφάνιση των εργασιών και έξοδος
	    --task-packages εμφάνιση των διαθέσιμων πακέτων σε μια εργασία
	    --task-desc     εμφάνισε την περιγραφή μιας εργασίας
 το apt-get απέτυχε                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            4      L       `   j  a        >                               Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2007-02-03 15:40+0100
Last-Translator: Serge Leblanc <serge.leblanc@wanadoo.fr>
Language-Team: Esperanto <debian-l10n-esperanto@lists.debian.org>
Language: eo
MIME-Version: 1.0
Content-Type: text/plain; charset=utf-8
Content-Transfer-Encoding: 8bit
 Uzo:
tasksel install <tasko>...
tasksel remove <tasko>...
tasksel [options]; kun [options] estas kombinado inter:
	-t, --test           prova modo; neniu ado vere okazos
	    --new-install    aŭtomate instalos iujn taskojn
	    --list-tasks     vidigos afiŝotajn taskojn kaj finos
	    --task-packages  vidigos disponeblajn pakojn por tasko
	    --task-desc      vidigos priskribon de tasko
 'apt-get'-programo fiaskis                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            4      L       `   j  a        U      1  
                       Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel 0.1
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-12-01 00:40+0100
Last-Translator: Javier Fernandez-Sanguino Pena <jfs@debian.org>
Language-Team: Debian Spanish Team <debian-l10n-spanish@lists.debian.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=iso-8859-1
Content-Transfer-Encoding: 8-bit
 Modo de uso:
tasksel install <tarea>...
tasksel remove <tarea>...
taskel [opciones]
	-t, --test           modo de prueba; no hacer nada realmente
	   --new-install     instalar automticamente algunas tareas
	   --list-tasks      listar las tareas que se mostraran y salir
	   --task-packages   listar los paquetes disponibles dentro de una tarea
	   --task-desc       mostrar la descripcin de una tarea
 apt-get fall                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     4      L       `   j  a            }  o                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-10-03 09:34+0300
Last-Translator: Siim Põder <windo@windowlicker.dyn.ee>
Language-Team: Debiani installeri eestindus <debian-boot-et@linux.ee>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=utf-8
Content-Transfer-Encoding: 8bit
X-Poedit-Language: Estonian
X-Poedit-Country: ESTONIA
X-Poedit-SourceCharset: utf-8
 Kasutus:
tasksel install <ülesanne>...
tasksel remove <ülesanne>...
tasksel [valikud]
	-t, --test          testirežiim; ära tegelikult miskit tee
	    --new-install   paigalda mõned ülesanded automaatselt
	    --list-tasks    loetle väljastatavad ülesanded ning välju
	    --task-packages loetle ülesande saadaval pakid
	    --task-desc     tagastab ülesande kirjelduse
 apt-get luhtus                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               4      L       `   j  a        e      A                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: eu
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2007-04-07 23:03+0200
Last-Translator: Piarres Beobide <pi@beobide.net>
Language-Team: librezale <librezale@librezale.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.11.4
Plural-Forms: nplurals=2; plural=(n != 1)
 Erabilera:
tasksel install <zereginak>...
tasksel remove <zereginak>...
tasksel [aukerak]
	-t, --test          proba modua; ez du ezer egiten
	    --new-install   zeregin batzuk automatikoki instalatzeko
	    --list-tasks    zereginen zerrenda bistaratu eta irten egiten da
	    --task-packages zeregin bateko paketeak zerrendatzen ditu
	    --task-desc     zeregin baten azalpena itzultzen du
 apt-get-k huts egin du                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        4      L       `   j  a            )                           Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: fa
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2010-06-25 09:20+0330
Last-Translator: Behrad Eslamifar <behrad_es@yahoo.com>
Language-Team: debian-l10n-persian <debian-l10n-persian@lists.debian.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.3.1
X-Poedit-Language: Persian
X-Poedit-Country: IRAN, ISLAMIC REPUBLIC OF
X-Poedit-SourceCharset: utf-8
 استفاده:
tasksel نصب <task>...
tasksel حذف <task>...
tasksel [گزینه‌ها]
	-t, --test          حالت آزمایشی; واقعاً کاری انجام نمی دهد
	    --new-install   به طور خود کار برخی از کار ها را نصب می کند
	    --list-tasks    لیست کار ها نمایش داده می شود و خارج می‌گردد
	    --task-packages لیست بسته ها در هر کار را نمایش می دهد
	    --task-desc     توضیحات هر کار را نمایش می‌دهد
 apt-get شکست خورد!                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              4      L       `   j  a        g      C                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: newtasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-01-14 16:56+0200
Last-Translator: Tapio Lehtonen <tale@debian.org>
Language-Team: Finnish <debian-l10n-finnish@lists.debian.org>
Language: fi
MIME-Version: 1.0
Content-Type: text/plain; charset=ISO-8859-15
Content-Transfer-Encoding: 8bit
Plural-Forms:  nplurals=2; plural=(n != 1);
 Kytt:
tasksel install <tehtv>
tasksel remove <tehtv>
tasksel [valitsimet]; miss valitsimet on yksi tai useampi seuraavista:
	-t, --test       -- testitila; ei tehd mitn oikeasti
	    --new-install    asenna automaattisesti joitakin tehtvi
	    --list-tasks     luettelo nytettvist tehtvist ja poistutaan
	    --task-packages  luettelo tehtvn saatavilla olevista paketeista
	    --task-desc      tehtvn kuvaus
 apt-get ei toiminut                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     4      L       `   j  a              a                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: fr
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-11-19 11:02+0100
Last-Translator: Christian Perrier <bubulle@debian.org>
Language-Team: French <debian-l10n-french@lists.debian.org>
Language: fr
MIME-Version: 1.0
Content-Type: text/plain; charset=ISO-8859-1
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.10.2
Plural-Forms: Plural-Forms: nplurals=2; plural=n>1;
 Usage:
tasksel install <tche>...
tasksel remove  <tche>...
tasksel [options]; o [options] est une combinaison de:
	-t, --test          mode d'essai; aucune action n'aura lieu
	    --new-install   installe automatiquement certaines tches
	    --list-tasks    affiche les tches  afficher et termine
	    --task-packages affiche les paquets disponibles pour une tche
	    --task-desc     affiche la description d'une tche
 erreur du programme apt-get                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 4      L       `   j  a        f      B                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: gl
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2012-06-13 01:13+0200
Last-Translator: Jorge Barreiro <yortx.barry@gmail.com>
Language-Team: Galician <proxecto@trasno.net>
Language: gl
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Lokalize 1.0
Plural-Forms: nplurals=2; plural=n != 1;
 Modo de emprego:
tasksel install <tarefa>...
tasksel remove <tarefa>...
tasksel [opcións]
	-t, --test          modo de probas; o programa non fai nada
	    --new-install   instala automaticamente algunhas tarefas
	    --list-tasks    amosa a lista de tarefas que se instalarían e sae
	    --task-packages amosa a lista de paquetes dunha tarefa
	    --task-desc     amosa a descrición dunha tarefa
 Produciuse un erro en apt-get                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          4      L       `   j  a        )                               Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel-gu
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-10-06 13:05+0530
Last-Translator: Kartik Mistry <kartik.mistry@gmail.com>
Language-Team: Gujarati <team@utkarsh.org>
Language: gu
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 ઉપયોગ:
tasksel install <task>...
tasksel remove <task>...
tasksel [વિકલ્પો]
	-t, --test          ચકાસણી સ્થિતિ; ખરેખર કંઇ કરતું નથી
	    --new-install   કેટલાક ટાસ્ક આપમેળે સ્થાપિત કરે છે
	    --list-tasks    દર્શાવવાનાં ટાસ્કની યાદી આપે છે અને બહાર નીકળે છે
	    --task-packages ટાસ્કમાં પ્રાપ્ત પેકેજોની યાદી આપે છે
	    --task-desc     ટાસ્કનું વર્ણન આપે છે
 apt-get નિષ્ફળ                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 4      L       `   j  a        N      *                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: he
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-09-15 17:22+0300
Last-Translator: Lior Kaplan <kaplan@debian.org>
Language-Team: Hebrew <debian-hebrew-common@lists.alioth.debian.org>
Language: he
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.11.4
 שימוש:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          מצב בדיקה; אל תעשה את הפעולות בפועל
	    --new-install   התקנה אוטומטית של משימות כלשהן
	    --list-tasks    הצגה של המשימות שיותקנו ויציאה לאחר מכן
	    --task-packages הצגת חבילות זמינות במשימה
	    --task-desc     החזרת תיאור של משימה
 apt-get נכשלה                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           4      L       `   j  a                 5                       Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: hi
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-10-18 01:37+0530
Last-Translator: Nishant Sharma <me at nishants.net>
Language-Team: Hindi
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.11.2
 प्रयोग विधि:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          परीक्षण विधा; वास्तव में कुछ न करें.
	    --new-install   कुछ टास्क का स्वचालित संस्थापन
	    --list-tasks    दिखाए जाने वाले टास्क की सूची देकर बाहर हो जाएँ
	    --task-packages एक टास्क में उपलब्ध पैकेजों की सूची दिखाएँ
	    --task-desc     एक टास्क का विवरण दिखाएँ
 ऐप्टीट्यूड असफल हुआ                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           4      L       `   j  a        7    ]       q                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: Debian-installer HR
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-09-26 14:45+0200
Last-Translator: Josip Rodin <joy+ditrans@linux.hr>
Language-Team: Croatian <lokalizacija@linux.hr>
Language: hr
MIME-Version: 1.0
Content-Type: text/plain; charset=iso-8859-2
Content-Transfer-Encoding: 8bit
 Uporaba:
tasksel install <zadaa>
tasksel remove <zadaa>
tasksel [mogunosti]
	-t  --test          testni nain; zapravo ne ini nita
	    --new-install   automatski instaliraj neke zadae
	    --list-tasks    ispii zadae koje e biti prikazane i izai
	    --task-packages ispii dostupne pakete u zadai
	    --task-desc     vraa opis zadae
 apt-get nije uspio                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       4      L       `   j  a              \                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2008-06-08 18:11+0100
Last-Translator: SZERVÁC Attila <sas@321.hu>
Language-Team: Debian Hungarian Localization Team <debian-l10n-hungarian@lists.debian.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Poedit-Language: Hungarian
X-Poedit-Country: HUNGARY
 Használat:
tasksel install <metacsomag>...
tasksel remove <metacsomag>...
tasksel [kapcsolók]
	-t, --test          teszt mód; nem végzi el valójában a műveletet
	    --new-install   egyes metacsomagok automatikus telepítése
	    --list-tasks    megjelenítendő metacsomagok listázása majd kilépés
	    --task-packages adott metacsomag csomagjainak listája
	    --task-desc     metacsomag leírása
 apt-get hiba                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    4      L       `   j  a        E      !  G                       Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel_po_hy
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2008-04-03 18:23+0400
Last-Translator: Vardan Gevorgyan <vgevorgyan@debian.am>
Language-Team: Armenian <translation-team-hy@lists.sourceforge.net>
Language: hy
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 Օգտագործումը:
tasksel install <առաջադրանք>...
tasksel remove <առաջադրանք>...
tasksel [կարգավորիչներ]
	-t, --test          թեսթային ռեժիմ; ոչինչ չի տեղադրվում
	    --new-install   ինքնաբար տեղադրել որոշ առաջադրանքներ
	    --list-tasks    ցույց տալ հնարավոր առաջադրանքների ցուցակը և ավարտել
	    --task-packages ցույց տալ առաջադրանքին հասանելի փաթեթների ցուցակը
	    --task-desc     ցույց տալ առաջադրանքի նկարագրությունը
 apt-get ծրագիրը ավարտվել է անհաջողությամբ                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       4      L       `   j  a        ?        
                       Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2010-06-21 07:42+0700
Last-Translator: Arief S Fitrianto <arief@gurame.fisika.ui.ac.id>
Language-Team: Debian Indonesia <debid@yahoogroups.com>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=iso-8859-1
Content-Transfer-Encoding: 8bit
 Penggunaan:
tasksel install <tugas>...
tasksel remove <tugas>...
tasksel [pilihan-pilihan]
	-t, --test          modus uji coba; jangan melakukan apa-apa
	    --new-install   secara otomatis memasang beberapa tugas
	    --list-tasks    tampilkan daftar tugas-tugas dan keluar
	    --task-packages tampilkan paket-paket yang tersedia dalam tugas
	    --task-desc     mengembalikan deskripsi tugas
 apt-get gagal                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      4      L       `   j  a        (    g       l                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: newtasksel 2.01
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2009-12-04 21:46+0100
Last-Translator: Milo Casagrande <milo@ubuntu.com>
Language-Team: Italian <tp@lists.linux.it>
Language: it
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [OPZIONI]
	-t, --test          Modalità di prova, non installa nulla
	    --new-install   Installa automaticamente alcuni task
	    --list-tasks    Elenca i task ed esce
	    --task-packages Elenca i pacchetti disponibili in un task
	    --task-desc     Restituisce la descrizione di un task
 apt-get ha dato errore                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        4      L       `   j  a        <    l                           Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel 1.0
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-01-05 08:40+0900
Last-Translator: Kenshi Muto <kmuto@debian.org>
Language-Team: Debian Japanese List <debian-japanese@lists.debian.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=EUC-JP
Content-Transfer-Encoding: 8bit
 Ȥ:
tasksel install <>
tasksel remove <>
tasksel [ץ]
	-t, --test          ƥȥ⡼: ºݤˤϲԤʤ
	    --new-install   ưŪˤĤΥ򥤥󥹥ȡ뤹
	    --list-tasks    ɽǽʥɽƽλ
	    --task-packages Ѳǽʥѥåɽ
	    --task-desc     ֤
 apt-get ˼Ԥޤ                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               4      L       `   j  a            J    )   D                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel_po_km
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-03-20 15:23+0700
Last-Translator: vannak eng
Language-Team: Afar <en@li.org>
Language: aa
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.11
 ការប្រើប្រាស់ ៖
​ដំឡើង tasksel <task>...
យក tasksel ចេញ <task>...
tasksel [options]
	-t, --test          របៀបសាកល្បង; ពិតជាមិន​ធ្វើ​អ្វីទេ
	    --new-install   ដំឡើង​ភារកិច្ច​មួយចំនួន​ដោយ​ស្វ័យ​ប្រវត្តិ
	    --list-tasks    រាយ​ភារកិច្ច​ដែល​នឹង​ត្រូវបាន​បង្ហាញ​ និង​ចេញ
	    --task-packages រាយ​កញ្ចប់​ដែលអាច​រក​បាន​នៅក្នុង​ភារកិច្ច​មួយ
	    --task-desc     ត្រឡប់​សេចក្តី​ពណ៌នា​​របស់​ភារកិច្ច​
 apt-get បាន​បរាជ័យ​                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             4      L       `   j  a        0                               Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2007-12-30 07:15+0900
Last-Translator: Sunjae Park <darehanl@gmail.com>
Language-Team: Korean <debian-l10n-korean@lists.debian.org>
Language: ko
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 사용법:
tasksel install <태스크>...
tasksel remove <태스크>...
tasksel [옵션]
	-t, --test          테스트 모드, 실제로는 아무 것도 하지 않습니다
	    --new-install   자동으로 일부 태스크를 설치합니다
	    --list-tasks    표시할 태스크의 목록을 출력하고 끝납니다
	    --task-packages 태스크 안의 패키지 중에서 사용 가능한 목록을 출력합니다
	    --task-desc     태스크 설명을 표시합니다
 apt-get 실패                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            4      L       `   j  a                    C                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel program
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2012-06-02 14:07+0300
Last-Translator: Rimas Kudelis <rq@akl.lt>
Language-Team: Lithuanian <komp_lt@konferencijos.lt>
Language: lt
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);
X-Generator: Virtaal 0.7.1
 Naudojimas:
tasksel install <užduotis>...
tasksel remove <užduotis>...
tasksel [parametrai]
	-t, --test          testinė veiksena – jokių veiksmų neatlikti iš tikrųjų
	    --new-install   automatiškai įdiegti kai kurias užduotis
	    --list-tasks    parodyti užduočių sąrašą ir baigti darbą
	    --task-packages pateikti užduočiai priklausančių paketų sąrašą
	    --task-desc     grąžinti užduoties aprašą
 nepavyko įvykdyti „apt-get“                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       4      L       `   j  a              r     
                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: lv
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2012-05-23 17:21+0300
Last-Translator: Rūdolfs Mazurs <rudolfs.mazurs@gmail.com>
Language-Team: Latvian <lata-l10n@googlegroups.com>
Language: lv
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Lokalize 1.4
Plural-Forms:  nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);
 Lietošana:
tasksel install <paku_grupa>...
tasksel remove <paku_grupa>...
tasksel [opcijas]
	-t, --test          testa režīms; patiesībā neko neinstalē
	    --new-install   automātiski instalē dažas paku grupas
	    --list-tasks    izvada instalējamu paku grupu sarakstu un iziet
	    --task-packages izvada paku sarakstu kādā paku grupā
	    --task-desc     izvada kādas paku grupas aprakstu
 Kļūda, palaižot apt-get                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      ,      <       P      Q   7  `                           apt-get failed Project-Id-Version: mg
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-06-26 19:18+0200
Last-Translator: Jaonary Rabarisoa <jaonary@free.fr>
Language-Team: Malagasy <jaonary@free.fr>
Language: mg
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.11.2
 apt-get nijanona                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  4      L       `   j  a        I    +  %     Q                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: mk
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-01-16 12:30+0100
Last-Translator: Georgi Stanojevski <glisha@gmail.com>
Language-Team: Macedonian <ossm-members@hedona.on.net.mk>
Language: mk
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.10.2
 Користење:
tasksel install <task>...
tasksel remove <task>...
tasksel [опции]
	-t, --test          тест режим, во суштина не прави ништо
	    --new-install   автоматски инсталирај некои задачи
	    --list-tasks    листај ги задачите кои би биле прикажани и излези
	    --task-packages листај ги достапните пакети во задача
	    --task-desc     го прикажува описот на датотеката
 apt-get не успеa                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   4      L       `   j  a        K    u  '                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: nb
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-01-05 00:29+0100
Last-Translator: Bjørn Steensrud <bjornst@powertech.no>
Language-Team: Norwegian Bokmål <i18n-nb@lister.ping.uio.no>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.10
 Bruk:
tasksel install «oppgave»
tasksel remove «oppgave»
tasksel [valg]
	-t, --test          test modus, ikke egentlig gjør noe
	    --new-install   installer automatisk noen oppgaver
	    --list-tasks    list oppgaver som ville blitt vist og avslutt
	    --task-packages list pakker som tilhører en oppgave
	    --task-desc     returnerer beskrivelsen av en oppgave
 apt-get mislyktes                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            4      L       `   j  a        r      N  &   @                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel_po_ne
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2007-07-26 15:20+0545
Last-Translator: Shiva Prasad Pokharel <pokharelshiv@gmail.com>
Language-Team: Nepali <info@mpp.org.np>
Language: ne
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2;plural=(n!=1)
X-Generator: KBabel 1.11.4
 उपयोग:
tasksel स्थापना <task>...
tasksel हटाउनुहोस् <task>...
tasksel [options]
	-t, --test          परीक्षण मोड; साँचै केही गर्न चाहनुहुन्न
	    --new-install   स्वत: केही कार्यहरू स्थापना गर्छ
	    --list-tasks    कार्यहरुको सूचि जुन प्रदर्शन र बन्द हुनुपर्छ
	    --कार्य प्यकेजहरुको सूचि कार्यको प्याकेजहरुमा उपलब्ध छ
	    --task-desc     ले कार्यको वर्णनलाई फर्काउदछ
 झुकाव असफल भयो                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    4      L       `   j  a        ?                               Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: Taksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2013-03-09 08:53+0100
Last-Translator: Thijs Kinkhorst <thijs@debian.org>
Language-Team: debian-l10n-dutch <debian-l10n-dutch@lists.debian.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=iso-8859-15
Content-Transfer-Encoding: 8bit
 Gebruik:
tasksel install <taak>...
tasksel remove <taak>...
tasksel [opties]
	-t, --test          test-modus, enkel simuleren, niet echt uitvoeren
	    --new-install   automatische installatie van een aantal taken
	    --list-tasks    toon een lijst van taken en sluit daarna af
	    --task-packages toon de beschikbare pakketten van een taak
	    --task-desc     toon de beschrijving van een taak
 apt-get is mislukt                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              4      L       `   j  a        l      H  
                       Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: nn
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-05-14 19:04+0200
Last-Translator: Håvard Korsvoll <korsvoll@skulelinux.no>
Language-Team: Norwegian Nynorsk <nn@li.org>
Language: nn
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.10.2
Plural-Forms:  nplurals=2; plural=(n != 1);
 Bruk:
tasksel install <pakkegruppe>...
tasksel remove <pakkegruppe>...
tasksel [val]
	-t, --test          testmodus, gjer ingen endringar
	    --new-install   installerer automatisk nokre pakkegrupper
	    --list-tasks    list opp oppgåver som vil bli vist og avslutt
	    --task-packages list opp tilgjengelege pakkar i ei pakkegruppe
	    --task-desc     returnerer skildringa av ei pakkegruppe
 apt-get feila                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      4      L       `   j  a            t  ^  /                       Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel_po-pa-IN
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-01-05 17:06+0530
Last-Translator: Amanpreet Singh Alam <apbrar@gmail.com>
Language-Team: Punjabi <fedora-trans-pa@redhat.com>
Language: pa
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
com>
X-Generator: KBabel 1.9.1
Plural-Forms: nplurals=2; plural=(n != 1);
 ਵਰਤੋਂ:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 ਐਪਟੀਟਿਉਡ ਅਸਫ਼ਲ ਹੈ                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        4      L       `   j  a        /    a       m                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel 1.0
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-12-20 12:05+0100
Last-Translator: Bartosz Fenski <fenio@debian.org>
Language-Team: Polish <pddp@debian.linux.org.pl>
Language: pl
MIME-Version: 1.0
Content-Type: text/plain; charset=iso-8859-2
Content-Transfer-Encoding: 8bit
 Sposb uycia:
tasksel install <zadanie>...
tasksel remove <zadanie>...
tasksel [opcje]
	-t, --test          tryb testowy; nic nie robi w rzeczywistoci
	    --new-install   automatycznie instaluj niektre zadania
	    --list-tasks    wywietl zadania i zakocz
	    --task-packages wywietl pakiety z zadania
	    --task-desc     wywietl opis zadania
 bd apt-get                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 4      L       `   j  a        9                               Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-12-13 20:27+0000
Last-Translator: Miguel Figueiredo <elmig@debianpt.org>
Language-Team: Portuguese Translation Team <traduz@debianpt.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 Utilização:
tasksel install <tarefa>...
tasksel remove <tarefa>...
tasksel [opções]
	-t, --test          modo de teste; na verdade não faz nada
	    --new-install   instala automaticamente algumas tarefas
	    --list-tasks    lista tarefas que serão mostradas e sai
	    --task-packages lista pacotes disponíveis numa tarefa
	    --task-desc     retorna a descrição de uma tarefa
 o apt-get falhou                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               4      L       `   j  a        L      (                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2008-02-10 00:50-0200
Last-Translator: Felipe Augusto van de Wiel (faw) <faw@debian.org>
Language-Team: l10n portuguese <debian-l10n-portuguese@lists.debian.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 Uso:
tasksel install <tarefa>...
tasksel remove <tarefa>...
tasksel [opções]
	-t, --test          modo de teste; não faz nada de verdade
	    --new-install   instala automaticamente algumas tarefas
	    --list-tasks    lista tarefas que seriam exibidas e finaliza
	    --task-packages lista pacotes disponíveis em uma tarefa
	    --task-desc     retorna a descrição de uma tarefa
 apt-get falhou                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 4      L       `   j  a                                       Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: ro
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-11-20 21:57+0200
Last-Translator: Eddy Petrișor <eddy.petrisor@gmail.com>
Language-Team: Romanian <debian-l10n-romanian@lists.debian.org>
Language: ro
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.10.2
Plural-Forms: nplurals=3;plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1))
 Utilizare:
tasksel install <sarcină>...
tasksel remove <sarcină>...
tasksel [opțiuni]
	-t, --test          mod test; nu se face nimic
	    --new-install   instalează automat unele sarcini
	    --list-tasks    listează sarcinile care ar fi afișate și se iese
	    --task-packages listează pachetele disponibile într-o sarcină
	    --task-desc     întoarce descrierea unei sarcini
 apt-get a eșuat                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   4      L       `   j  a            R    B   M                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel_po_ru
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-11-21 12:20+0300
Last-Translator: Yuri Kozlov <kozlov.y@gmail.com>
Language-Team: Russian <debian-l10n-russian@lists.debian.org>
Language: ru
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.9.1
Plural-Forms:  nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);
10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);
10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);
 Использование:
tasksel install <задание>...
tasksel remove <задание>...
tasksel [опции]
	-t --test           тестовый режим; ничего не устанавливается
	    --new-install   автоматическая установка некоторых заданий
	    --list-tasks    показать список возможных заданий и выйти
	    --task-packages показать список доступных пакетов в задании
	    --task-desc     показать описание задания
 программа apt-get завершилась неудачно                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           4      L       `   j  a        "    z       y                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-01-30 06:29+0100
Last-Translator: Peter Mann <Peter.Mann@tuke.sk>
Language-Team: Slovak <sk-i18n@lists.linux.sk>
Language: sk
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 Použitie:
tasksel install <úloha>...
tasksel remove <úloha>...
tasksel [voľby]
	-t, --test          testovací režim; v skutočnosti sa nič nevykonáva
	    --new-install   automaticky nainštaluje niektoré úlohy
	    --list-tasks    zobrazí zoznam úloh a ukončí sa
	    --task-packages zobrazí balíky dostupné v úlohe
	    --task-desc     zobrazí popis úlohy
 apt-get zlyhalo                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  4      L       `   j  a        :                               Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-12-27 10:58+0100
Last-Translator: Matej Kovačič <matej.kovacic@owca.info>
Language-Team: Slovenian <sl@li.org>
Language: sl
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.3
 Uporaba:
tasksel install <opravilni paket>...
tasksel remove <opravilni paket>...
tasksel [možnosti]
	-t, --test          testni način; ne naredi ničesar
	    --new-install   samodejno namesti določene opravilne pakete
	    --list-tasks    izpiše opravilne pakete in konča
	    --task-packages izpiše programske pakete, ki so na voljo v opravilnem paketu
	    --task-desc     izpiše opis opravilnega paketa
 apt-get ni bil uspešen                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             4      L       `   j  a        A    x                           Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel 0.1
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-04-22 13:25+0200
Last-Translator: Elian Myftiu <elian@lycos.com>
Language-Team: Albanian <gnome-albanian-perkthyesit@lists.sourceforge.net>
Language: sq
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 Përdorimi:
tasksel install <detyra>...
tasksel remove <detyra>...
tasksel [mundësi]
	-t, --test            testim; mos bëj asgjë
	    --new-install   instalon automatikisht disa detyra
	    --list-tasks    rradhit detyra që mund të shfaqen dhe del
	    --task-packages   rradhit paketat në dispozicion në një detyrë
	    --task-desc   shfaq shpjegimin e një detyre
 apt-get dështoi                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    4      L       `   j  a        4    {                           Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel 1.0
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-06-27 18:48+0100
Last-Translator: Daniel Nylander <po@danielnylander.se>
Language-Team: Swedish <debian-boot@lists.debian.org>
Language: sv
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 Användning:
tasksel install <funktion>...
tasksel remove <funktion>...
tasksel [flaggor]
	-t, --test          testläge; gör ingenting
	    --new-install   installera vissa funktioner automatiskt
	    --list-tasks    lista funktioner som skulle visas och avsluta
	    --task-packages lista tillgängliga paket i en funktion
	    --task-desc     återge en funktionsbeskrivning
 apt-get misslyckades                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          4      L       `   j  a        <        I   )                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: ta
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-12-19 20:55+0530
Last-Translator: drtvasudevan <agnihot3@gmail.com>
Language-Team: TAMIL <Ubuntu-tam@lists.ubuntu.com>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.11.4
 பயன்படுத்தும் முறை:
tasksel install <task>...
tasksel remove <task>...
tasksel [விருப்பத்தேர்வுகள்]
	-t, --test          சோதிக்க;உண்மையில் எதுவும் செய்யாதே
	    --new-install   தானாக சில செயல்களை நிறுவுக
	    --list-tasks    காட்டப்போகும் செயல்களை பட்டியலிட்டு விட்டு வெளியேறு
	    --task-packages ஒரு செயலில் உள்ள தொகுதிகளை பட்டியலிடு
	    --task-desc     ஒரு செயலை பற்றிய விவரத்தைக் கொடு
 ஆப்டிடியூட் தோல்வியுற்றது                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        4      L       `   j  a        W      3  G                       Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: te
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2008-10-25 12:20+0530
Last-Translator: Y Giridhar Appaji Nag <giridhar@appaji.net>
Language-Team: Telugu <debian-in-workers@lists.alioth.debian.org>
Language: te
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.11.4
 వాడుక:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          కేవలం పరీక్షించు, వేరే ఏమి చేయవద్దు
	    --new-install   కొన్ని టాస్క్లను (tasks) స్వయంగానే ప్రతిష్టాపించు
	    --list-tasks    టాస్క్లను (tasks) చూపించి నిష్క్రమించు
	    --task-packages ఈ టాస్కు (task) లోని ప్యాకేజీలు (packages) చూపించు
	    --task-desc     టాస్కు (task) యొక్క వర్ణన చూపించును
 apt-get (ఆప్టిట్యూడ్) విఫలమైనది                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  4      L       `   j  a        *        2                       Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-04-17 11:44+0700
Last-Translator: Theppitak Karoonboonyanan <thep@linux.thai.net>
Language-Team: Thai <l10n@opentle.org>
Language: th
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
 วิธีใช้:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          โหมดทดสอบ ไม่ต้องติดตั้งจริง
	    --new-install   ติดตั้งงานติดตั้งบางงานโดยอัตโนมัติ
	    --list-tasks    แสดงรายการงานติดตั้งทั้งหมดแล้วออกจากโปรแกรม
	    --task-packages แสดงรายการแพกเกจทั้งหมดในงานติดตั้งที่กำหนด
	    --task-desc     แสดงคำบรรยายของงานติดตั้งที่กำหนด
 apt-get ทำงานไม่สำเร็จ                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    4      L       `   j  a        L    I  (     r                    Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-08-03 15:43+0800
Last-Translator: Eric Pareja <xenos@upm.edu.ph>
Language-Team: Tagalog <debian-tl@banwa.upm.edu.ph>
Language: tl
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=n>1;
 Pag-gamit:
tasksel install <task> - upang magluklok ng <task>...
tasksel remove <task>  - upang magtanggal ng <task>...
tasksel [options]; kung saan ang options ay kombinasyon ng:
	-t, --test··········modong testing; wala talagang gagawin
	-r, --required······magluklok ng lahat ng mga pakete na ang antas ay kailangan
	-i, --important     magluklok ng lahat ng mga pakete na ang antas ay mahalaga
	-s, --standard      magluklok ng lahat ng mga pakete na ang antas ay karaniwan
	-n, --no-ui     huwag ipakita ang UI; gamitin lamang kasama ng -r o madalas ng -i
	     --new-install   magluklok ng ilang mga task ng awtomatiko
	     --list-tasks    ilista ang mga task na ipapakita at lumabas
	     --task-packages ilista ang mga pakete na magagamit sa isang task
	     --task-desc      ibabalik ang paglalarawan ng isang task
 bigo ang pagtakbo ng apt-get                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            4      L       `   j  a        ~      Z                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2017-01-30 18:35+0300
Last-Translator: Mert Dirik <mertdirik@gmail.com>
Language-Team: Debian l10n Turkish <debian-l10n-turkish@lists.debian.org>
Language: tr
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=1; plural=0;
X-Generator: Poedit 1.8.7.1
 Kullanım:
tasksel install <görev>...
tasksel remove  <görev>...
tasksel [seçenekler]
	-t, --test          sınama kipi; herhangi bir işlem yapma
	    --new-install   bazı görevleri otomatik olarak kur
	    --list-tasks    gösterilecek görevleri listele ve çık
	    --task-packages görevdeki mevcut paketleri listele
	    --task-desc     görevin açıklamasını göster
 apt-get başarısız oldu                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       4      L       `   j  a            F  }                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: uk
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-01-11 18:51+0200
Last-Translator: Eugeniy Meshcheryakov <eugen@univ.kiev.ua>
Language-Team: Ukrainian
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.10.2
Plural-Forms:  nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);
 Використання:
tasksel install <завдання>...
tasksel remove <завдання>...
tasksel [опції]
	-t, --test         тестовий режим; не робити нічого насправді
	    --new-install  автоматично встановити деякі завдання
	    --list-tasks   перелічити завдання, що будуть відображені, та вийти
	    --task-pacages перелічити наявні в завдання пакунки
	    --task-desc    повертає опис завдання
 помилка apt-get                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                4      L       `   j  a        x    Q  T                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-10-17 15:33+0930
Last-Translator: Clytie Siddall <clytie@riverland.net.au>
Language-Team: Vietnamese <vi-VN@googlegroups.com>
Language: vi
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=1; plural=0;
X-Generator: LocFactoryEditor 1.6fc1
 Cách sử dụng:
tasksel install <công_việc>	_cài đặt_ công việc này
tasksel remove <công_việc>	_gỡ bỏ_ công việc này
tasksel [tùy_chọn]
	-t, --test          		chế độ _thử nghiệm_; không thực sự làm gì
	    --new-install   	tự động _cài đặt_ một số cộng việc (_mới_)
	    --list-tasks    		_liệt kê_ những _công việc_ sẽ hiển thị và thoát
	    --task-packages 	liệt kê những _gói_ có sẵn trong một _công việc_ nào đó
	    --task-desc     	trả về _mô tả_ của một _công việc_ nào đó
 Trình apt-get bị lỗi                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           4      L       `   j  a        ;                               Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel_po
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-07-08 18:00+0000
Last-Translator: Mouhamadou Mamoune Mbacke <mouhamadoumamoune@gmail.com>
Language-Team: Wolof
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: KBabel 1.9.1
 Jëfandikuwii:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]; options mi ngi doon benn ci njaxasaan u:
	-t, --test          mood u teste; bul def dara
	    --new-install   islae yenn task yi ci otomatik
	    --list-tasks    wane list bu task yi ñuy afise ta génnt
	    --task-packages wane list u paket yi am ci ab task
	    --task-desc     delloo melokaan wu ab task
 apt-get antuwul                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          4      L       `   j  a        <    w                           Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel 1.4.0
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2005-11-25 22:01-0600
Last-Translator: Ming Hua <minghua@rice.edu>
Language-Team: Debian Chinese [GB] <debian-chinese-gb@lists.debian.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8-bit
 用法：
tasksel install <软件集>...
tasksel remove <软件集>...
tasksel [选项]
	-t, --test          测试模式，不会真正执行任何操作
	    --new-install   自动安装某些软件集
	    --list-tasks    列出将要显示的软件集并退出
	    --task-packages 列出某软件集中的软件包
	    --task-desc     显示某软件集的说明信息
 apt-get 操作失败                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      4      L       `   j  a        N    _  *                         Usage:
tasksel install <task>...
tasksel remove <task>...
tasksel [options]
	-t, --test          test mode; don't really do anything
	    --new-install   automatically install some tasks
	    --list-tasks    list tasks that would be displayed and exit
	    --task-packages list available packages in a task
	    --task-desc     returns the description of a task
 apt-get failed Project-Id-Version: tasksel 1.4.0
Report-Msgid-Bugs-To: 
PO-Revision-Date: 2006-07-30 12:35+0800
Last-Translator: Tetralet <tetralet@pchome.com.tw>
Language-Team: Debian-user in Chinese [Big5] <debian-chinese-big5@lists.debian.org>
Language: 
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8-bit
 用法：
tasksel install <主題>...
tasksel remove <主題>...
tasksel [選項]
	-t, --test          測試模式；並不會實地執行
	    --new-install   自動安裝某些主題
	    --list-tasks    列出將要顯示之主題並結束
	    --task-packages 列出在該主題中所包含的套件
	    --task-desc     傳回該主題的說明
 執行 apt-get 時失敗了                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                X[SH~8l"leHp)<
&SQhK-[nQK8;e$0svYN<D"4D.=.2ߊv,{zz9	4ml;/Mr{"(ͤѧcy&)̴RJ-2$WFNd]^B,{W1:yLk9bG/ys:c>vC$4 ozE&\fg"V!ȒXžʳ )&-0Ԭf2p-yBͷrK4{o=AsK
\$|yY*tX!&onXAܙ@q<pFoMל̤d	n
"{[+zllo
B,-)N9ǻ%չ9:D\Ư&B8;i37L;5e6MG
nAB)@7"@*
su~S_`Vd0&)	C~^ɭa7jҤmVWk+2xeL3K=vtHۂnoۂ%%QuSTB\dT0@-qC~D4#-T.5@d鸱f[ĞPvF̤3.2p&cpTxz@$F2N2<g]h.RS%ݲ`k-b4ZH$;TN'pOnRd
L
Vs.P4K\Y%E9c;nS1!(S(f59OHcNb
v(53Όe?gP*xV5S<;י>;8zӄgN#g;ϝŨoup0Zg|wF'iߌMX9u.*~	({֏%\lk`G㗥SA;ꗇș\1~':hXKe&ĺ"Ue'I7ĸ7Q~NvA?;
Y{jhmCmgf磢߰&kk^	{QʪUDhmV{@O_npO(69o88S_/mߥ1Z>ۮ~fi9}c	oK86f驰M׊a@-M\dدYVߓ	6p
$[FȰVJ Ѽ͈))W|#yY ѓF`Yv|d=	Yfme.b4ڍ95ƌκf'&Ժ&H|#~O*dUw!ǱQl}(	,y*-f{kԼZHC)PRÎ$հv$dY}r7u~owv2Ńm4~T`ڬv=[wa&*	lntӬ燣m7OtedGJ5DYd#fm#|ls$4]ys8sdN/挎&}~|?5ߧ{}4
a%uGѶ95Gn[߉T*\q*f<Sb"Si0(\Zĕ
܀W"=HwK".f@q=½|rNwGoO\;䘘\|w9Ðbr2:n͵Wq܀2%f<>NN'WŻuqkX͓2T\'?D.eؔpnqK:k
G?b!Ƹ`S̷00"/AqY*[KpwTw昱\8f$nGf)-ޥ3Viy/#bc<3Ά\+E]Q3RO^A:U_)y>DKL-?W#ȪTb"^i_#餫xM>Cv,TG
PX'&o[p=F	k\~k^HeI1ɎB^Q%n).zO*60B9驌\blA ςRzzr&"E 1phVuX~E
z۹XIR{MH_Hw",L.ufysnŝ.\mLflQW[e<(T6Ps}P)2`oU:pe#Ld	2պN^΂שWP"	9(m>lva%8ï|
A>O/~[l^sG
Aiq~wP瘶5                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                ?package(tasksel):needs="text" section="Applications/System/Administration"\
  title="Debian Task selector" command="su-to-root -c tasksel"
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    /.
/usr
/usr/bin
/usr/bin/tasksel
/usr/lib
/usr/lib/tasksel
/usr/lib/tasksel/default_desktop
/usr/lib/tasksel/packages
/usr/lib/tasksel/packages/list
/usr/lib/tasksel/tasksel-debconf
/usr/lib/tasksel/tests
/usr/lib/tasksel/tests/debconf
/usr/lib/tasksel/tests/lang
/usr/lib/tasksel/tests/new-install
/usr/share
/usr/share/doc
/usr/share/doc/tasksel
/usr/share/doc/tasksel/README.gz
/usr/share/doc/tasksel/TODO
/usr/share/doc/tasksel/changelog.gz
/usr/share/doc/tasksel/copyright
/usr/share/lintian
/usr/share/lintian/overrides
/usr/share/lintian/overrides/tasksel
/usr/share/locale
/usr/share/locale/ar
/usr/share/locale/ar/LC_MESSAGES
/usr/share/locale/ar/LC_MESSAGES/tasksel.mo
/usr/share/locale/bg
/usr/share/locale/bg/LC_MESSAGES
/usr/share/locale/bg/LC_MESSAGES/tasksel.mo
/usr/share/locale/bn
/usr/share/locale/bn/LC_MESSAGES
/usr/share/locale/bn/LC_MESSAGES/tasksel.mo
/usr/share/locale/bs
/usr/share/locale/bs/LC_MESSAGES
/usr/share/locale/bs/LC_MESSAGES/tasksel.mo
/usr/share/locale/ca
/usr/share/locale/ca/LC_MESSAGES
/usr/share/locale/ca/LC_MESSAGES/tasksel.mo
/usr/share/locale/cs
/usr/share/locale/cs/LC_MESSAGES
/usr/share/locale/cs/LC_MESSAGES/tasksel.mo
/usr/share/locale/cy
/usr/share/locale/cy/LC_MESSAGES
/usr/share/locale/cy/LC_MESSAGES/tasksel.mo
/usr/share/locale/da
/usr/share/locale/da/LC_MESSAGES
/usr/share/locale/da/LC_MESSAGES/tasksel.mo
/usr/share/locale/de
/usr/share/locale/de/LC_MESSAGES
/usr/share/locale/de/LC_MESSAGES/tasksel.mo
/usr/share/locale/dz
/usr/share/locale/dz/LC_MESSAGES
/usr/share/locale/dz/LC_MESSAGES/tasksel.mo
/usr/share/locale/el
/usr/share/locale/el/LC_MESSAGES
/usr/share/locale/el/LC_MESSAGES/tasksel.mo
/usr/share/locale/eo
/usr/share/locale/eo/LC_MESSAGES
/usr/share/locale/eo/LC_MESSAGES/tasksel.mo
/usr/share/locale/es
/usr/share/locale/es/LC_MESSAGES
/usr/share/locale/es/LC_MESSAGES/tasksel.mo
/usr/share/locale/et
/usr/share/locale/et/LC_MESSAGES
/usr/share/locale/et/LC_MESSAGES/tasksel.mo
/usr/share/locale/eu
/usr/share/locale/eu/LC_MESSAGES
/usr/share/locale/eu/LC_MESSAGES/tasksel.mo
/usr/share/locale/fa
/usr/share/locale/fa/LC_MESSAGES
/usr/share/locale/fa/LC_MESSAGES/tasksel.mo
/usr/share/locale/fi
/usr/share/locale/fi/LC_MESSAGES
/usr/share/locale/fi/LC_MESSAGES/tasksel.mo
/usr/share/locale/fr
/usr/share/locale/fr/LC_MESSAGES
/usr/share/locale/fr/LC_MESSAGES/tasksel.mo
/usr/share/locale/gl
/usr/share/locale/gl/LC_MESSAGES
/usr/share/locale/gl/LC_MESSAGES/tasksel.mo
/usr/share/locale/gu
/usr/share/locale/gu/LC_MESSAGES
/usr/share/locale/gu/LC_MESSAGES/tasksel.mo
/usr/share/locale/he
/usr/share/locale/he/LC_MESSAGES
/usr/share/locale/he/LC_MESSAGES/tasksel.mo
/usr/share/locale/hi
/usr/share/locale/hi/LC_MESSAGES
/usr/share/locale/hi/LC_MESSAGES/tasksel.mo
/usr/share/locale/hr
/usr/share/locale/hr/LC_MESSAGES
/usr/share/locale/hr/LC_MESSAGES/tasksel.mo
/usr/share/locale/hu
/usr/share/locale/hu/LC_MESSAGES
/usr/share/locale/hu/LC_MESSAGES/tasksel.mo
/usr/share/locale/hy
/usr/share/locale/hy/LC_MESSAGES
/usr/share/locale/hy/LC_MESSAGES/tasksel.mo
/usr/share/locale/id
/usr/share/locale/id/LC_MESSAGES
/usr/share/locale/id/LC_MESSAGES/tasksel.mo
/usr/share/locale/it
/usr/share/locale/it/LC_MESSAGES
/usr/share/locale/it/LC_MESSAGES/tasksel.mo
/usr/share/locale/ja
/usr/share/locale/ja/LC_MESSAGES
/usr/share/locale/ja/LC_MESSAGES/tasksel.mo
/usr/share/locale/km
/usr/share/locale/km/LC_MESSAGES
/usr/share/locale/km/LC_MESSAGES/tasksel.mo
/usr/share/locale/ko
/usr/share/locale/ko/LC_MESSAGES
/usr/share/locale/ko/LC_MESSAGES/tasksel.mo
/usr/share/locale/lt
/usr/share/locale/lt/LC_MESSAGES
/usr/share/locale/lt/LC_MESSAGES/tasksel.mo
/usr/share/locale/lv
/usr/share/locale/lv/LC_MESSAGES
/usr/share/locale/lv/LC_MESSAGES/tasksel.mo
/usr/share/locale/mg
/usr/share/locale/mg/LC_MESSAGES
/usr/share/locale/mg/LC_MESSAGES/tasksel.mo
/usr/share/locale/mk
/usr/share/locale/mk/LC_MESSAGES
/usr/share/locale/mk/LC_MESSAGES/tasksel.mo
/usr/share/locale/nb
/usr/share/locale/nb/LC_MESSAGES
/usr/share/locale/nb/LC_MESSAGES/tasksel.mo
/usr/share/locale/ne
/usr/share/locale/ne/LC_MESSAGES
/usr/share/locale/ne/LC_MESSAGES/tasksel.mo
/usr/share/locale/nl
/usr/share/locale/nl/LC_MESSAGES
/usr/share/locale/nl/LC_MESSAGES/tasksel.mo
/usr/share/locale/nn
/usr/share/locale/nn/LC_MESSAGES
/usr/share/locale/nn/LC_MESSAGES/tasksel.mo
/usr/share/locale/pa
/usr/share/locale/pa/LC_MESSAGES
/usr/share/locale/pa/LC_MESSAGES/tasksel.mo
/usr/share/locale/pl
/usr/share/locale/pl/LC_MESSAGES
/usr/share/locale/pl/LC_MESSAGES/tasksel.mo
/usr/share/locale/pt
/usr/share/locale/pt/LC_MESSAGES
/usr/share/locale/pt/LC_MESSAGES/tasksel.mo
/usr/share/locale/pt_BR
/usr/share/locale/pt_BR/LC_MESSAGES
/usr/share/locale/pt_BR/LC_MESSAGES/tasksel.mo
/usr/share/locale/ro
/usr/share/locale/ro/LC_MESSAGES
/usr/share/locale/ro/LC_MESSAGES/tasksel.mo
/usr/share/locale/ru
/usr/share/locale/ru/LC_MESSAGES
/usr/share/locale/ru/LC_MESSAGES/tasksel.mo
/usr/share/locale/sk
/usr/share/locale/sk/LC_MESSAGES
/usr/share/locale/sk/LC_MESSAGES/tasksel.mo
/usr/share/locale/sl
/usr/share/locale/sl/LC_MESSAGES
/usr/share/locale/sl/LC_MESSAGES/tasksel.mo
/usr/share/locale/sq
/usr/share/locale/sq/LC_MESSAGES
/usr/share/locale/sq/LC_MESSAGES/tasksel.mo
/usr/share/locale/sv
/usr/share/locale/sv/LC_MESSAGES
/usr/share/locale/sv/LC_MESSAGES/tasksel.mo
/usr/share/locale/ta
/usr/share/locale/ta/LC_MESSAGES
/usr/share/locale/ta/LC_MESSAGES/tasksel.mo
/usr/share/locale/te
/usr/share/locale/te/LC_MESSAGES
/usr/share/locale/te/LC_MESSAGES/tasksel.mo
/usr/share/locale/th
/usr/share/locale/th/LC_MESSAGES
/usr/share/locale/th/LC_MESSAGES/tasksel.mo
/usr/share/locale/tl
/usr/share/locale/tl/LC_MESSAGES
/usr/share/locale/tl/LC_MESSAGES/tasksel.mo
/usr/share/locale/tr
/usr/share/locale/tr/LC_MESSAGES
/usr/share/locale/tr/LC_MESSAGES/tasksel.mo
/usr/share/locale/uk
/usr/share/locale/uk/LC_MESSAGES
/usr/share/locale/uk/LC_MESSAGES/tasksel.mo
/usr/share/locale/vi
/usr/share/locale/vi/LC_MESSAGES
/usr/share/locale/vi/LC_MESSAGES/tasksel.mo
/usr/share/locale/wo
/usr/share/locale/wo/LC_MESSAGES
/usr/share/locale/wo/LC_MESSAGES/tasksel.mo
/usr/share/locale/zh_CN
/usr/share/locale/zh_CN/LC_MESSAGES
/usr/share/locale/zh_CN/LC_MESSAGES/tasksel.mo
/usr/share/locale/zh_TW
/usr/share/locale/zh_TW/LC_MESSAGES
/usr/share/locale/zh_TW/LC_MESSAGES/tasksel.mo
/usr/share/man
/usr/share/man/man8
/usr/share/man/man8/tasksel.8.gz
/usr/share/menu
/usr/share/menu/tasksel
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               X  .   V  ..  Y  
ansi-regex  [  string-width]  
strip-ansi  > emoji-regex                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   xY  .   X  ..  Z  license =  index.jsA package.json                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              w:[  .   X  ..  \  license B  index.jsC package.json                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              B]  .   X  ..  ^  license C  index.jsD package.json                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              '  .   X%  ..  '  index.js'  license ' package.json                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              P'  .   X%  ..  '  LICENSE '  package.json' dist                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  /s'  .   '  ..   ( index.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  q(  .   X%  ..  (  LICENSE (  package.json( lib                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   qB(  .   (  ..  ( ini.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     p(  .   X%  ..  (  
LICENSE.md  (  package.json	( lib                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               eؖ	(  .   (  ..  
(  default-input.js( init-package-json.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              ?(  .   X%  ..  
(  index.js(  license ( package.json                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              E_  .     ..  `  LICENSE g  iterator.js N  
yallist.js  G package.json                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      %ia  .     ..  b  LICENSE-MIT z  dist  package.jsono API.md                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                R*d  .     ..  e  node-gyp-binl  npm m  npx   npm.cmd   npx.cmd   
npm-cli.js    
npm-prefix.js     
npx-cli.js    npm.ps1   @npx.ps1                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       %|" $VIMRUNTIME refers to the versioned system directory where Vim stores its
" system runtime files -- /usr/share/vim/vim<version>.
"
" Vim will load $VIMRUNTIME/defaults.vim if the user does not have a vimrc.
" This happens after /etc/vim/vimrc(.local) are loaded, so it will override
" any settings in these files.
"
" If you don't want that to happen, uncomment the below line to prevent
" defaults.vim from being loaded.
" let g:skip_defaults_vim = 1
"
" If you would rather _use_ default.vim's settings, but have the system or
" user vimrc override its settings, then uncomment the line below.
" source $VIMRUNTIME/defaults.vim

" All Debian-specific settings are defined in $VIMRUNTIME/debian.vim and
" sourced by the call to :runtime you can find below.  If you wish to change
" any of those settings, you should do it in this file or
" /etc/vim/vimrc.local, since debian.vim will be overwritten everytime an
" upgrade of the vim packages is performed. It is recommended to make changes
" after sourcing debian.vim so your settings take precedence.

runtime! debian.vim

" Uncomment the next line to make Vim more Vi-compatible
" NOTE: debian.vim sets 'nocompatible'.  Setting 'compatible' changes
" numerous options, so any other options should be set AFTER changing
" 'compatible'.
"set compatible

" Vim5 and later versions support syntax highlighting. Uncommenting the next
" line enables syntax highlighting by default.
"syntax on

" If using a dark background within the editing area and syntax highlighting
" turn on this option as well
"set background=dark

" Uncomment the following to have Vim jump to the last position when
" reopening a file
"au BufReadPost * if line("'\"") > 1 && line("'\"") <= line("$") | exe "normal! g'\"" | endif

" Uncomment the following to have Vim load indentation rules and plugins
" according to the detected filetype.
"filetype plugin indent on

" The following are commented out as they cause vim to behave a lot
" differently from regular Vi. They are highly recommended though.
"set showcmd		" Show (partial) command in status line.
"set showmatch		" Show matching brackets.
"set ignorecase		" Do case insensitive matching
"set smartcase		" Do smart case matching
"set incsearch		" Incremental search
"set autowrite		" Automatically save before commands like :next and :make
"set hidden		" Hide buffers when they are abandoned
"set mouse=a		" Enable mouse usage (all modes)

" Source a global configuration file if available
if filereadable("/etc/vim/vimrc.local")
  source /etc/vim/vimrc.local
endif

                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       #!/usr/bin/perl
# 
# helpztags generates tags for Vim helpfiles, for both .txt and .txt.gz files
# Author: Jakub Turski <yacoob@chruptak.plukwa.net>
#         Artur R. Czechowski <arturcz@hell.pl>
# Version: 0.4

# Please use following command for generate a manual file:
# pod2man -c "User Commands" -s 1 -q none -r "vim 6.2" -d "September 2003" helpztags helpztags.1

=head1 NAME

helpztags - generate the help tags file for directory

=head1 SYNOPSIS

helpztags F<DIRS>...

=head1 DESCRIPTION

F<helpztags> scans given directories for F<*.txt> and F<*.txt.gz> files.
Each file is scanned for tags used in F<vim> help files. For each directory
proper F<tags> file is generated.

There should be at least one directory given. In other case program exits
with error.

=head1 AUTHORS

Written by Jakub Turski and Artur R. Czechowski based on idea
contained in C<vim> sources for its C<:helptags command>.

=head1 REPORTING BUGS

Please use a Debian C<reportbug> command or procedure described at
C<http://bugs.debian.org/>.

=head1 SEE ALSO

Read C<:help helptags> in F<vim> for detailed information about helptags.

=cut

use strict;
use warnings;
use File::Glob ':globally';
use POSIX qw(getcwd);

die "Error: no directories given. Check manpage for details.\n" unless @ARGV;

my $startdir=getcwd();
my %tags;

foreach my $dir (@ARGV) {
  chdir $dir or next;
  print "Processing ".$dir."\n";
  foreach my $file (<*.{gz,txt,??x}>) {
    next unless $file =~ m/^[\w.-]+\.(?:txt|([[:alpha:]]{2})x)(?:.gz)?$/;
    my $suffix = '';
    if ($1) {
      $suffix = "-$1";
    }
    my $open = ($file =~ /\.gz$/) ? open(GZ, '-|', 'zcat', $file) : open(GZ, $file);
    if (!$open) {
      chdir $startdir;
      next;
    }
    while (<GZ>) {
        # From vim73/src/ex_cmds.c, helptags_one, lines 6443-6445
        # 
        # Only accept a *tag* when it consists of valid
        # characters, there is white space before it and is
        # followed by a white character or end-of-line.
      while (/(?:(?<=^)|(?<=\s))\*([^*\s|]+?)\*(?:(?=\s)|(?=$))/g) {
        $tags{"tags$suffix"}{$1}=$file;
      }
    }
    close(GZ);
  }
  while (my ($tagfile, $tags) = each %tags) {
    next unless %{$tags};
    open(TAGSFILE, '>', $tagfile) || die "Error: Cannot open $dir/$tagfile for writing.\n";
    foreach my $tag (sort keys %{$tags}) {
      print TAGSFILE "$tag\t$tags->{$tag}\t/*";
      $tag =~ s/\\/\\\\/g;
      $tag =~ s@/@\/@g;
      print TAGSFILE "$tag*\n";
    }
    close TAGSFILE;
  }
  chdir $startdir;
}
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              text/plain; view %s; edit=vim %s; compose=vim %s; test=test -x /usr/bin/vim; needsterminal; priority=4
text/*; view %s; edit=vim %s; compose=vim %s; test=test -x /usr/bin/vim; needsterminal; priority=2
text/plain; view %s; edit=vi %s; compose=vi %s; needsterminal; priority=3
text/*; view %s; edit=vi %s; compose=vi %s; needsterminal; priority=1
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      # The vim.desktop file is generated by src/po/Makefile, do NOT edit.
# Edit the src/po/vim.desktop.in file instead.
[Desktop Entry]
# Translators: This is the Application Name used in the Vim desktop file
Name[ca]=Vim
Name[de]=Vim
Name[eo]=Vim
Name[es]=Vim
Name[fi]=Vim
Name[fr]=Vim
Name[ga]=Vim
Name[it]=Vim
Name[ru]=Vim
Name[sr]=Vim
Name[tr]=Vim
Name[uk]=Vim
Name[zh_CN]=Vim
Name=Vim
# Translators: This is the Generic Application Name used in the Vim desktop file
GenericName[ca]=Editor de text
GenericName[de]=Texteditor
GenericName[eo]=Tekstoredaktilo
GenericName[es]=Editor de texto
GenericName[fi]=Tekstinmuokkain
GenericName[fr]=Éditeur de texte
GenericName[ga]=Eagarthóir Téacs
GenericName[it]=Editor di testi
GenericName[ja]=テキストエディタ
GenericName[ru]=Текстовый редактор
GenericName[sr]=Едитор текст
GenericName[tr]=Metin Düzenleyici
GenericName[uk]=Редактор Тексту
GenericName[zh_CN]=文本编辑器
GenericName=Text Editor
# Translators: This is the comment used in the Vim desktop file
Comment[ca]=Edita fitxers de text
Comment[de]=Textdateien bearbeiten
Comment[eo]=Redakti tekstajn dosierojn
Comment[es]=Editar archivos de texto
Comment[fi]=Muokkaa tekstitiedostoja
Comment[fr]=Éditer des fichiers texte
Comment[ga]=Cuir comhaid téacs in eagar
Comment[it]=Edita file di testo
Comment[ja]=テキストファイルを編集します
Comment[ru]=Редактирование текстовых файлов
Comment[sr]=Уређујте текст фајлове
Comment[tr]=Metin dosyaları düzenleyin
Comment[uk]=Редагувати текстові файли
Comment[zh_CN]=编辑文本文件
Comment=Edit text files
# The translations should come from the po file. Leave them here for now, they will
# be overwritten by the po file when generating the desktop.file.
GenericName[da]=Teksteditor
GenericName[pl]=Edytor tekstu
GenericName[is]=Ritvinnsluforrit
Comment[af]=Redigeer tekslêers
Comment[am]=የጽሑፍ ፋይሎች ያስተካክሉ
Comment[ar]=حرّر ملفات نصية
Comment[az]=Mətn fayllarını redaktə edin
Comment[be]=Рэдагаваньне тэкставых файлаў
Comment[bg]=Редактиране на текстови файлове
Comment[bn]=টেক্স্ট ফাইল এডিট করুন
Comment[bs]=Izmijeni tekstualne datoteke
Comment[cs]=Úprava textových souborů
Comment[cy]=Golygu ffeiliau testun
Comment[da]=Rediger tekstfiler
Comment[el]=Επεξεργασία αρχείων κειμένου
Comment[en_CA]=Edit text files
Comment[en_GB]=Edit text files
Comment[et]=Redigeeri tekstifaile
Comment[eu]=Editatu testu-fitxategiak
Comment[fa]=ویرایش پرونده‌های متنی
Comment[gu]=લખાણ ફાઇલોમાં ફેરફાર કરો
Comment[he]=ערוך קבצי טקסט
Comment[hi]=पाठ फ़ाइलें संपादित करें
Comment[hr]=Uređivanje tekstualne datoteke
Comment[hu]=Szövegfájlok szerkesztése
Comment[id]=Edit file teks
Comment[is]=Vinna með textaskrár
Comment[kn]=ಪಠ್ಯ ಕಡತಗಳನ್ನು ಸಂಪಾದಿಸು
Comment[ko]=텍스트 파일을 편집합니다
Comment[lt]=Redaguoti tekstines bylas
Comment[lv]=Rediģēt teksta failus
Comment[mk]=Уреди текстуални фајлови
Comment[ml]=വാചക രചനകള് തിരുത്തുക
Comment[mn]=Текст файл боловсруулах
Comment[mr]=गद्य फाइल संपादित करा
Comment[ms]=Edit fail teks
Comment[nb]=Rediger tekstfiler
Comment[ne]=पाठ फाइललाई संशोधन गर्नुहोस्
Comment[nl]=Tekstbestanden bewerken
Comment[nn]=Rediger tekstfiler
Comment[no]=Rediger tekstfiler
Comment[or]=ପାଠ୍ଯ ଫାଇଲଗୁଡ଼ିକୁ ସମ୍ପାଦନ କରନ୍ତୁ
Comment[pa]=ਪਾਠ ਫਾਇਲਾਂ ਸੰਪਾਦਨ
Comment[pl]=Edytuj pliki tekstowe
Comment[pt]=Editar ficheiros de texto
Comment[pt_BR]=Edite arquivos de texto
Comment[ro]=Editare fişiere text
Comment[sk]=Úprava textových súborov
Comment[sl]=Urejanje datotek z besedili
Comment[sq]=Përpuno files teksti
Comment[sr@Latn]=Izmeni tekstualne datoteke
Comment[sv]=Redigera textfiler
Comment[ta]=உரை கோப்புகளை தொகுக்கவும்
Comment[th]=แก้ไขแฟ้มข้อความ
Comment[tk]=Metin faýllary editle
Comment[vi]=Soạn thảo tập tin văn bản
Comment[wa]=Asspougnî des fitchîs tecses
Comment[zh_TW]=編輯文字檔
TryExec=vim
Exec=vim %F
Terminal=true
Type=Application
# Translators: Search terms to find this application. Do NOT change the semicolons! The list MUST also end with a semicolon!
Keywords[ca]=Text;editor;
Keywords[de]=Text;Editor;
Keywords[eo]=Teksto;redaktilo;
Keywords[es]=Texto;editor;
Keywords[fi]=Teksti;muokkain;editori;
Keywords[fr]=Texte;éditeur;
Keywords[ga]=Téacs;eagarthóir;
Keywords[it]=Testo;editor;
Keywords[ja]=テキスト;エディタ;
Keywords[ru]=текст;текстовый редактор;
Keywords[sr]=Текст;едитор;
Keywords[tr]=Metin;düzenleyici;
Keywords[uk]=текст;редактор;
Keywords[zh_CN]=Text;editor;文本;编辑器;
Keywords=Text;editor;
# Translators: This is the Icon file name. Do NOT translate
Icon=gvim
Categories=Utility;TextEditor;
StartupNotify=false
MimeType=text/english;text/plain;text/x-makefile;text/x-c++hdr;text/x-c++src;text/x-chdr;text/x-csrc;text/x-java;text/x-moc;text/x-pascal;text/x-tcl;text/x-tex;application/x-shellscript;text/x-c;text/x-c++;
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 uAk0^QL).=ua.Yʒ	;nH!^d${\7}mjcf.ǁ<Oj<#QpNH}±gW&ފBEUʢ$
4NQTm*Ά0#%ye£Ϟ5OJc3q;pĐ2Iȫ0^DF9:WEorʎcGp9MTҁrfOqP)Pqm>`uHJ"){
+\}a8"hAݩ`;gRՉޮeSmو?=ulc>D-lti4X[cVьI                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           Vim for Debian
---------------

1. The current Debian Vim scripts policy can be found in the vim-doc package
   under /usr/share/doc/vim and <https://vim-team.pages.debian.net/vim/>.

2. Before reporting bugs, check if the bug also exists if you run vim
   with "vim --clean". If not, make sure that the "bug" is not
   a result of a setting in your ~/.vimrc before reporting it.

defaults.vim
------------

Vim provides $VIMRUNTIME/defaults.vim to improve the default Vim experience for
a user with no vimrc file.  It enables commonly useful functionality that
wasn't historically enabled by default, like syntax highlighting and filetype
plugins.

However, the defaults.vim script is ONLY loaded when a user does NOT have their
own vimrc file.  If you create a vimrc file and want to build on top of
defaults.vim, add these lines to the top of your vimrc file:

  unlet! g:skip_defaults_vim
  source $VIMRUNTIME/defaults.vim

When defaults.vim is loaded implicitly for a user, that happens _after_ the
system vimrc file has been loaded.  Therefore, defaults.vim will override
settings in the system vimrc. To change that, one can either

a) Explicitly load defaults.vim in the system vimrc, as described above, and
   then define your customizations
b) Explicitly opt out of defaults.vim by adding the line below to
   the system vimrc

  let g:skip_defaults_vim = 1

Modeline support disabled by default
------------------------------------

Modelines have historically been a source of security/resource vulnerabilities
and are therefore disabled by default in $VIMRUNTIME/debian.vim.

You can enable them in ~/.vimrc or /etc/vim/vimrc with "set modeline".

In order to mimic Vim's default setting (modelines disabled when root, enabled
otherwise), you may instead want to use the following snippet:

  if $USER != 'root'
    set modeline
  else
    set nomodeline
  endif

The securemodelines script from vim.org (and in the vim-scripts package) may
also be of interest as it provides a way to whitelist exactly which options
may be set from a modeline.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          [isG_QAoM vYv#Z
R?zf_<73DC1*2_̬~SKm0~Z7㌭1/gMY/]yjQ,`2OOWC3̅ڲu[+G^u)}mYlIq5Z,0^aݔjE^B)AD)l8%|ɫ<=䩨M:KQen(u"%(X;3+l*Zf '{#4nX:Q4ŋ#տlݟyxc2agQӂ84Վ=Dg*t',Xլ:Zc}:+¾5m||dgCp:(`r(4ZbW}b[!kzc!6	^oj8M)
ji^'lc,575#9UMߟX6X6-k(-8b^1xSȓd
?aX?`kaqю@ez1:VǰcX1ㄠ#
WfAs:-uhkΙaB(f]hZ`h-l&BhQ(nI#cC2㛆y6~@LHd	 BE`yvXI
qlVsb7|Ls
,-4kNsk@[>OG#$(:N:QA KU=ah#v
ۨ*2e#Ε֛Y,*VpBY >>dӇ/D81 7>HRYveɺu7yBz Bƾ=3ycɆaf(8$0L7`chU)eBB3Ls"\)\Js*,$9,R!xOְucx#XL	NN^AQxlir(S\5<a$LhtՔt5_7byH||!OxO r<si{ rP~6܁HFYW5x?İ0pU&WO(ϐxxFd>cWCn@$l 6atj(!ehO8j'\|q7%«(Y	b#/ŁA}v4BRP	hjO<"qT%r"ϒ=hgXO Lh2t'0c{7w<
b|yV1pbd{q&PfidU2φ	魙޺v`j`)H,8lU	'REs B;
YAxMމ rR7JXn\=5g5`k\ uH\
(YEK^&1n
 J%]}zu{7o4J$42iI(]@Aizcj^n^]w?\n u RG(cHSM|o9zS. sZ9RwyfJ-%|F(
xdfvO'O`L3z?em0-$%Fu(ig5 ]!
xM,#o<Lgt[?ƅR5@<KaF"4@'6,3 X&[pϢC]Jm,aS|]`: s@n><UHmԎE|d<Ho
j0{J{'AsYm  o*<h#/}Bgɉ|w
؆Z
3o9v\&aHhNpW5$*$L,;*Y岢r +3NdmRv2P
! E}"!{BAnZc9$6A(ECUtX8X?rI I2*#,ac^=n_vhÞxmhlF*Nb6X64(k7mk,_{7|nSfTSm:~Ơ2Dȳ 3%쓊?^0dhtI#kƷכ2&/ML/92,YϿ47,\V0
wFzHv1RLKm5l W74G
P&:F|YCd8m!|@aa)	ϓ83k,se3i=_5[iy 7h*-oϳ }^$X#&"` !b{?g|&36M2XC'8OU%rۤsݩd@ml!w9R>f	vTY٤*Y۷LghMMiE3@XB_ fpqMRE" gD\{5<[P&b}+=8Шe<m
awHzu3U=|)ReYu2fvϣɹ*`~dfL 6@c.uW[K[w䱩]^z
ЊhӸ`_z2eTގ:\G4l*慔|'jj-J;XIK*pt߶tbJR!5ǨHJC~Ҷ.d
B'Kwjݐe?|wqD:@41]@i-**DruFzQX`:cLǲo+X9^_;i8^1Ɇ794_kw1oU:x9JnVM;1*ݶA;LNX>M^3e**-[6S]lhqH>65h+
yT>TMj-fkKǑI>0ns
qbwBor5X}RTc,`K$Աϩ<i	KHkEMZ篖jE5;Ʒߟ0nNWsGXowQ7&G


r<ѝPtxW:-/q	YÏ
<y>0>y38qF>nNm6Y 1ӓp$n7rPc39$Iө(':nmuZj'k rvXh>Z|w*:!O~NOO
0}<7Y
͟AU $9
8Sppr)ȌؓQ\s%
k
:o
|75T*\rIXP&iMXI(V׺?;(U,ۚۘc<HS!ގZBSS(ݩ$E+牞^َןyŋ=.GXs]~r/WQlIMX
F
.RA	uZ(hdhJAk%l1\u@tleH 	<B||~{JNs
>JtPh>CiKe1ʇ*
ϸw朽kPPbWW
>ɋ{0[BUq^C	!<[F|XXV3eN׽A`>@|MBQ_ƈWӨuli-R`tGKȌņL>)Ȯ ֻsm\5'ǓV)לĉFg4rHUнkxgF7xv	OבD+&@Mk`243VG@]J4QcSCqW+**
a9xe\W[
&	!9]1-Rf^w$ vgE<?<aH)myMVWp	9<ϵ'bC׆7&I'v6#Vq
fo^Du\Ge;N", ?yNq	8]\4l
B
5e
vAh!-^*8t5s?BH飜ho1"v^
M.M~K8x>'OuLP\rly{,?dg(b9
p`yvZSZ	辂p[1ji^lb9Z]v M{jȞ+Ob_PeYLV a!Ҍ/rP
^ [@{ɽ=.%v@6^?OSoñp9O.gcaVe?Y٧g)Ʊ76ALFުВ{eJ?ODk!kO8-b[Ow[]F}h_ǎ}W^)	nJuɟ꺨!x]ZPDMu]7
jWBC#@z݊!ݜ[mZ
p#e>jJ*]!%^rPO٢X@@
Jw7WUA/9;cq%c'2aP*D{[0bE\Hi\W Im\cXŠ.2fx_ҭQ
c%b-oqJ_1w<t)3Q>5v	^֙h$#}5ӔP)  
)Gt#Q֝Y]nH00$$Vz tIe@O,ɴKUpXhަ>Kox~7Ҳ09uwHc˒'Bw
Y}tiZ曨r̀ȅp58[pZ]~C<58'#Џs^m_$HD}2?׵2y<6ZdP5(Ӷ3[NC|EyF}	-Kgں-ۜ\?vv'zE)Ԩs-.xb;Wܕ;QG||O'jdq<V
Q]D4)
?_H<Z.8]-_{#V]G9\L!!!2
0&!'iLKf.1s~յ&_P^u<,d]Va^P;{nh?jNCDDld_*,hv/+=7FeT\&㟾W7/?+lh[j$XNF|yHfW &3oe%`K9ɢڎoB
9a4(o58p5Z׃wpZq_+׶۶D[ v ")pR
'Fy)FlºΙ]Jr}Lry9Z`UW<ܤ	2=gi-}ҿԙYd49q7㋻bg۾E僾2
uqƒ)MkodcF'^X^)N%Ռ\+ق99^}S.k,z͐q(nFiǃh_ǝeB7EMH&nE1qCOכZ/f2̊LbeY$>L<|#}s+vEϤѹ^ޥ\uF̱N2Ps;RdE8CCy]4U
ox-URt{f#(4JN7?Կ2;FonǷ
QkY%R'_pMwg7HuL`<Y]
O[1bcR%QGQDI" oX6$BN_כ|~/X<u7ЬLhc'Y#-_Iwp:rՏ4[\ҋ)/9m$#jCB(eOs>{NPP]Yrr
S%S,\)\j:j!.(CV9%MMݭ*/Vk><<%ZDedVA\LJߒu	JLmǩz-Ae%''tl}{p)[lTP)!&ԝAFg*E.5}$XDrI.N'H.NGrܥZDt&X5t|ӿ72v6;cjQ?NCI# no~%d|oE[
:@Qt7qSr>}A/tz_W!5}$;&<6:i`TbuХm|p~wg]/+
_pbটa)ᛗ,wp
;n?H0na+y]@k
E t(Z-5{5%k
	UL8V;cGxKzÙ$ޔEv37@g؅(?+(_TkUi`Jo{d13cn*<.lfnG|kCz)S22=EJ䜨J`MmyW:o 1-JTԸdmX1jCg-7䲣h+}8)~
|Aʌۺ@A.6#IG92's96)§⥿7#qĥnEtPѓo7'GDRy0ɐPe`*ѫ{ϫN9ǉ*˂CH]<Co#U0,~^q&yj+:Fl聾IKFH 0Ob/m'?׸KSVo>BGHqm~t`jŌVoǤe!-= -H
T*;usi0;9WH]p!ńȚ
<&'yO"~^:0	e=w'%,cjvR=EpoRyH'Ơd_UJhL4w#nbyn!by=?:|S["5j!	Wqr_Z=SڴqFZr@ɛQ&mEq@LUƬOs/em,6V,x/j2FJ};o*@hIŔsjҲ[1پ;Ҝk+b4DXU3f_k=E%b(seףlT|9wIeԛ
JRqVjRlx
o67!h	^ :h_DHj\|bDxM`S܆U8iVt?XOԾD$WM=LcUp@ZsQٿ)VKWvS+<ZkhAK{2 q>!3=AN]BB5Z:5Zza_Cd{a2**![#~bXDãaWs	IO[ O}KP
?1 Z                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       kwYr%]
öB3y˽ZRUv\R<3+	$l 	by|'ddlh$8vv7S;{N;{n[͚gt~M?7M?V[rٷ[v+vsMo鲏3庻ٮ[w@~mvyϙa<ͬxn7^~lO/wi3z%zRlw3m7u'~JUmۯ!y
|/U{w~#Ͳ}eh?l`86Zb
_}> b:Zq{LW-~{a+oel;lm7-n]n+~zބ?~Ώ"=l}mf7ڋՊ]nuo[Z~߉[="9EϾw;Yy.Ϧ#C*n ""2xImبg~b)hc_tVDvT%zIuI=lV""o_o[7|ա]0B/>=}巯zo͒Eg3Dz]zK{ò.URWtF}7:lvf~?X#baD{X͐5=5Kn;D^v}n5
~teD[H`vASȞ/כ'E]i%,ڡ_Fצ"+
ΆvXmt?K٘HKoH2frK=%n_y@ҽf{?~\͞s>Mڮof-$%kakZŹ~C'v_KHpvo
n'޴ïX֞oH'j&	n1Xyc6+ʅaBkRH,Ϫۓn}֙IMop6%Ь;;iWfBr':lnכiyaП^ͻ~|^>֠ݒ&X~P.X"x#OP/^wIؓKZ=If&fa(chIx|_X2߆:{zᮽEIK@+Kowبոҫ{Ebb.tmYbև{,7k$idaa=p펵73:_0X¿;/8VEj_ݮi%?@7f$૭.==S^Ԥ㕥\bsvmҒ|Z[{KLnX^\v'p64Be|]7-.0Շ{RCdy$۷3ugA#3;v1s>zFߓQ>'E܊ՃuChHxW2Kʻ:Ӄ|GC6.-eʲh6C_,I&ú1`fp.5Iw:.Ýы[6,gP}Fu.g"w'm{ܶt^Hf$5q: |}Dkg+r_"\:ޱ_oE/۵yF.%< ΂Exή ʹ*' >+o_)gx]'EѸ0<	$W^^,p{>cT$dX]l fJ0~+XN;g"͈!PG	~iMٱpܗO0rôM}=H
0={N+l ΜB7rE;r5u۶@ǜ2`Բ65)wXPrqڥ>m"^:=pilwxv}Շn!Kze׮u?ôNrnRGY]'V)"	_J%윶
'Ata+ّB܌#}L4]KC~`/[N:ؖN񮻦hZ6=)X
vsGhY.8v$
߮1(D5|HȈ\"/n@u Il+۾L(xq Kzߝ(99$jfG9'gcN<MȂfyЊhagCi#eD*
$=O~d\ĮV?E_":E!9*zPԵ	tSkr??l,\fEU{X6`:_m,beIIxg|1+r\!l-e!v)鋺{I%@KǰMn$t/$hITy zC7U$IbEEHWGkb/[%ߚ둜	ɍȴt|`ҫ}EPHnKI]y=d|<^\5y`ɃamZ/[^$r2>!xvK[*C,gt /Zv@K-p<qGrTXWpB2yK^Aȏn-|QB~Hr`wwQUA@o3)Fl\·}z
a=&Qxʘ]մN4`J$jA-XA_sMi}FrʹՑ\i`觹'D&Ҁ^2D;(rގ#-URmuK'Hqʪ>--]KԋI`٥iL/7?'xOT8Fs&j.^l~ޭ=c}$xUIV~#a{kӤ~b,ᩆHWG(la	Yp
=r8}fok"@5D<QaټAyY!xcv)nלPEMkyH i>[OQù `)֭`ZN\'Y(>s&,UJrWK4@\[:Ce՜ѕD}'ӏ7`Oϗ_yi>ar}Xiȥe2;TtD9Il'djª%p]|`oĢHٯ_]zuVXV$G>[$xK;:V'=:@-)i $ĹUolIkr7ql%	|R]0G<V]K@D~$
|>E*uݫ/~~W<?(L@2U:!=\XBG˪Uq
Qj@bPXz6]IͰBrXC|F4Q)x5WFNGjLD
uvJ_st[e$cN.[a1m p>LJBţ$֐ -r{ϼkKvak"x3wN COn,o%$s?pnQ=m29?_MҰcAcU$RcPQnnD#}trXO6.nZrǴL3&&Hl̾ __f^%՟"77ZEQ@:
amx$@Dmlu=I0)[GBYy4(fӰ5?F,1#k~<ќUXGKELF09l$*K_:
H	MMMb0@*A*dBAVԦ-3PMWS,"+&Pyfy ңy^SRS o- S쟳1АWӚ֓յ;Nl9k,pۖAN+>І]Њ(.J?Y1n"&w_} $EZ㑛j|+#JpVkFk_VUwy@h'f_6=Q)g@p}o\;9σB.\$Kt*'w-tISsO#|[#7?ۈWDIGkQK_rjATʱv-zGCɲȍ_f,VPa!˺u9
 F0HRfN?HL&<ќ"lA#xLUbl{'^BL_[
7سUxd ޳:s]$J_ȑx;
Ek+b;|0ĕ 
Cv8SeEf֧H~kɵ3A0mlF ɖMY]ԾH	cI+nvGͱb"7UWiϹP9ehM5,xkR(ujF326'J&[ٛL7a]m	mISۡ7^dVY=zGH| < 3q|$է>r	pNgt/N̯v	RY;	9OjԒEbAzU|aK:&J_rv2r54Հ9p_ob8	gp
͘Ί-EӰ9HxtG8rIL`!U^7۝[Qd}IMC^@YALYabc!K;>
UPF"T|?ޖ?+tfy@UyºŘPϑmWq8+،Db{ڱ`$z]+AbEVe$YWl+hX
A%qz4`m l&y'o5M-l&M|z+IyZ#k^:8pu)̝XkCwGD1Num*K'}]	S4µkO#e1OC8g-2|FpRŀv{O ͢+OB??%ܶ()bm]p&Kz
/=k"byΊE+1Wv"1{~F#a)ۮTW|g^.;D',	9HtP@3(=%2Z@[x,?ˊ
(SA	I
bg.-roIU:r0ɸxpy^&ƿp$z8Hudːw.@%i>QQ-3+hoĭ Eڸi)"xY:j L_08
;"-*K7ce#-dQgNbx>+)>ʱCFbL[bQ6⸞З~)g!T0WH"Ǒ^r-)d`oj&RnT&Ta a
S@\ 
Β(d4[4ZG^g=f.v!,¹'ԔWuP^جfK5rX-tpK,N|vUy~ZUABpv^^P'ty
yuFCKqk,ӓHPMn3ޭʍ>僴n{6Mo_ǽIW[mb&_,|=Ö]wpV|RәU~hydq%&ntqazG$H˄<LܧX:t-0v`񠉯˿mА5I=	x
W&!o+
˻Hߝ1t6>GkSu;,@<5+pm//XHpnكzT˖WMBv_/|WFdע!!Xa	U~9I|lRbPXʠ_?GQ'{Q	'ꕳ`Ϗ_
"Da=1yf%KgQwWMIY Wdӌ3b K 9>;pis%
k./W\qLn-t37/Sy/"dIJN8=+xgtOgA}K
=|.ǘ 
~@oYI7@HϑƃX[Y \]1|hiĕġ`3c$	WΒbo
;:9I߾gC6D/V*٠3?E\h{C_Mcۏ&ia\:ɰኄ"zbvVt@qlۦv<*]ZIq>͙0!Wb [@Z`(G,d䰶wV1VVub_O)e}{
q&HdHUS9gy~u+ܡa׽XTeNvI
j}҅U)ys4UpxF}6Zl5=ri)^$ ;Oysv=s
(XFr-+<B3y\
ְDpy}q&
mS4uŧEg<Gel~._eQsу [EOuӍ)jE?p6jSNzwYT`ra?6WΖ۵źDN̾
RreJO0 ^5ͬ?>
i
M̃Q?WRP֌"aÖ受@b _8â ʓBG<?q6.~DFyR^* ~M&@'M7x8k+:>u
W֊`m\#Ty?BOea3ov#8pfKkKw_*7nD'{'V\"B^ޏݝ8ض-n1װ[t|HnݲCNvs{-J`p:;$Y_srŃG}	Qy$4!*X_X^9=o&
Jn%ErTKcd+g7UR庑mŏj{#R{`=jCiox9Q[HC'5TnȑUiC oqͰR&~R*%ۃ^^|ٜlÉF&䢋ăJo!c'UC(޲DMF)oH\nr	ώx
Ѓq%[ّqN<$Cea~U,`(w\SZgz"g½E5vp +Ȭ2'OM$*&ķ\
F-.*;nj).vWPUhIFYNlx4Y+}>L.
p)T#o0Y l
6܋i£UihXS0\,0i^ָ&j}ҊYe(P)fϖwEKkJ@
.و@N7)Mifrk7K٫@˟?2%;)9WV1,^#085!ʂ(f39ȣ~U*kb=pܮCΕRRi$u
$7#YP\0u⑤4,3*{NAv4r3
vu!nKqp{ i-𐐲^Tӹ$
't<7':N(-բe4}5}vNV~{^}p Pwsj)N]Iw 1ӫo*H?	5q%8;<>R(lJ+ĀZXQP
\eV
.
,} ٽkIˎ|+݇R	t1)`(J3Vk(~n$-GEm)TlY\ٽ vZ咤I'D*=[ls00$,24kL³eSohHFiiYSo^]z_ҙ<<lmݜ	d<MLՑ۾&W"qU$';=ԏ
0b3Etg[UY6ziŇ\e]4
&gٌNgw-NU/t{K~#-ׇ.62w*gS"fQ ##޳bCa_0#$1%@/e-j;/S݊İꁺ.-h_J
g5%O
T`; D\vϾn{[;4	
I!YZSZ({ܮ]ܸ> ?E4o[L
ˋ/8z(,ϐQ8CrdQ,̗;c$=	kkؑw>(K>i|6#l SRNa0'w~ ɒvE,2FwA//~3cQaG=`FJܹeR^î;խ%<EAįk9'
o͐b)dz@XOSRL.eHłzAGBʹ̖tn;8}	p7K5+I9ޅ	X~s5.AC0$,FqCH\<*bQ&+?ö[!"w%4-kiNy3FFUB/進(Ǚa<gI\G:B6m[&Q~^4kE#2M"aML!wOv7l#zPfwfۢlŭgLHʘ
l:>גy Vy[3$)2bWz(DDB=Wt\_Vq'ڰ--iГ~p>5❲DQ&B`KlsOgiI
5p1
VBUa] x8S_@ӕ֕j¯0ws~Q6qɓ\iVI.^9QBM0+1IJlw`-2Wf1InU-*3!.ȪnWs9!/Љ"0䚤hUY2r-v-ⲻ8ݢxŁVi z}@MZz X?.5r3BqIjƳZs܂ΝmnEr};$u" ?pKa͵M]uj۫=3`~[)6s;hhKA-(RѤyԚZm/H\̈́VTz=m<1n-v-tQ+}C5ɽ"k,:tkTH

fT'(Ǒ-WgVXs ӥ\ZwN5 ?%7WpVI޾JUGh|8ՔA.wY8M_o.2O2r[x4epsT]uЄwhiZ9>@r|WsgEM\%NㅱyX
!
pꞽzP\bTjn3SC3|Qz9F
@Ӆ3Z=n7b9r
gJb{uZ@Ja!+I>)
իs$u@F(씆SR~ȕGհwpyvQ!*wO+Ä[THDrI[i#/ɣ'w.ª[\OTL9t&ߛ3n0G/zXUgp !v/ra*pGxVa8lӑK:z>𛤟^9_;򜧂N95MrzOҋ; Rd
qseƘ	UgL4vOEܶ:~7wwQkF=T?M:wϠXE~tљ̗/'GjQDIG,63]A[`/+_R(9ɗLp|ꃞo {Ѱn y<
s!IJ%~!TŇHR̸D\ӓ4F#,>󌅞;r[DgjaY9W(>7mp'F]V_[x=c1Zc3Qf%c h{^
jkiάL_H+ ' Ϸ Ovx:Y[ōٙDBs/*~aEJ.g\u6qgD~zݭ=pgՔ}vyX<-s2|!tfV?a,[F%9Z=(ӶSn1g=-"҅dU7Q9MU;GRõA"G (ZZE\P^wK-fwmUs@vI"3?!Zɢhy̚ȋ,s;M;-ӜHU>X?Hwlӥ<_v1D{v?=6ڪ۬IወS+wVJ
Z11#~!bk*S'q.ab{"yB'+d[Gt7/9"f=
f}|׈'M(F#]i)POr"-}b a=xRlgW}4;nL>ۑ&A7Oba8].DU
i`h{~0&B[.9V+ax<%ko.;g6?*#C'vS>":uVI&KQıD 50WJTX\	Ig
yAYep؀EP2 2

ݦB`,}ދW#R{6͔RtZNDmڭɖ%Μ6./ף|;:W+nne_eдPS{QB)_|hn#]qşSH[tI⑫뵊&c>U&ꀩ<8 ?҃Ry->srPA)
Jܨ*N&񸑍M	!͹*䛥),Kbҥ=0(ńG$DbY0ǟԮIYJEOtNɥ7#|e2Lv1ZlW'mίsAW!yTrvLsq#;HZ}nXT9xA4}f=L
cs7>"wi	}$y0UVZ%O۸,xk
}$U1֤{6-Ȇ$8>qE1g
d(l	:5A$
j
pHw=u~S@gy..Mao7U3};kd7
(!}mX%	[OgMI1D"E:gNu:B8Ŕ\;ߒ/!3)2L]m=Ϟf#RԚOYR;Cyn~W*emD"cľK_CXhf.ё4[YÖd8tIpa\
.r#mlb%E>Uoo
<?3]Q%$b0sGmMj
<42:PM҈d9k(̃Y0SBZxgZ
ǞI.xGHҞ&>5k+):qasɤthG0]v[P 	ea}5S(x39A1$:9-_6A;it؅65hz!9f)h>
ݪ
8"íTLVj
<<EwI!+=%{H$P3=GI#Q#WG`^1 "'p?VB+ x*l#+)#O,0Db
tf:K1E5	j%Ѱg߾˰zFgSK;wral4sZY5?<ЃrXZd/{1+#`TmLG]N
Oeޞ_\yb<"'7Gp2cjq8+^-(kԛ_GeOҸ{`U<IA2K8)I]>7*ifTa_" JR0$]!kOv['{uiN`o$Is%(Q1rcJݪƎOLTn5sqT;̘5Y2 'z7310Cťh%UUtq]hIx|%/jν2"to~T5e(nuVei[KI
\ԼEwhf1Ky.8-|1Sk|&7ѹq'2̨84odpK-5W
ũ2=O-|΅KolB70Q?ZMWpc:ކvF/a@FS!H3	{awLIn<i:J:9:=yU33V룤Rc_&.)yd!<Wy]3+	iP}<iݵaFЏoD8U!y}H短 YP2@id/2LO߀Z#c/&z≌K4MwEfR9pE .;6b3,΀]7bbE^g\CTDO槮l%~veѼJ] FeT#(=8iG/МbŤCfwvM(B|j'B	!l0^gENE"yDGUrb8Ko%2d}[5WhnK%Yg3wM
v/ð.QnwK`K"M-]LB*o\&Id?D{|Y<Z)MLR_ʸ*Yxv1*;q
>BY9wc<}E&IcUP!;C83'j+dE4R	uhB[tEc_nGA=9\"K8x١)ܓ"
g:A:<'2q;\U~yp͎cø&-|ǪEM`S'EYU3Mqӳwqxv-@{К}hm.,Y=bfO⾯vxf{2Y\G$>
3E=&LסDNP6<4I7٢9YnEIWk;)'ve\PF|
Tpq"!`,P/O=ou"MJ9J´㦌^6ݽDY:s3$>Qk7-bn2Z)lLqWԋ'˭Fjw'KA  R65ܑc P}ɴ(YA	J`_x͍}"~Zdr=u$UP
?z@UɓN:טןYg4*No`ot#h#srt$)թ[.6\zA{|@FU
,eTW,֒psc&输ǲ:^Zw]ŴȈe~$}hمȥʧ;Ǥ;D" ڌEZZKo3$C-f3[[l(޿U<cIiF@-0/*6`5(XDYKJegbvb&JTyҳ6ӴZ"}+V#3&կw]\wCTCя)s]s1 b
kj#>zVBŴַja1: u+i%r9CH~i9yQPF
3.>iLXKfMe\`M&ϙOB+v%[-I]7?TȅXгR^G!PNhe3)C-eQ<Lt6$Z4%KjX9'iNʠmx)-?QH|w޼5sa(`R<7 HG>><xY1fn7㜙0n'xe$
hbe*a_by
X0͈8=S*fT/JsC#gD<4n{mȽN_><qy4ěKzftza%VCV2%onח#fYSuPVCY-j7Phk{%;}xkcQ ΧФI.X8jkj\bi4\ˤ}aUs^mﻝD-}?`mQJSZȅcN'xw`""G]NzY$$%,a&?H
6:{=_"%WU:1M&`k.y&ȍ/\W?*'nKdBkQ{H_Tyi<%3gу);-?<\}H'$+sO,,=q3ӂԪ&9p{[+&UI	KUgL0G<dX$5g8{d$KfYV1kC,(q$.2~7*t6z~vO8ƟK8<7y9Э4Ϊ?[~.9Ƀ-m5<N˕[ۼE/"}.gL1Ig-,BZ0êYWȔ`B	|paM!×ʖ9eU$glmf=z-'PGZp}?VOҬӉ>(AqK-o1)ñiaU_e5)%E)͈F&'L55b:wSQ}*7z!TZj-%0~JS0ln=},u_|1W962Gc(!=z|xǇlikOz#*ecfc1!KǉUxh"@yV
	"0%,ܯݛz?cYcǟ~&.};F=f(FzCH05=}LF)Kn^(
R2d"/gi^
+-K~a	fw׋ vI$T@]Ost'>Gpvv݂gy2Z[(]4n]s$'q!+]"'^oXݕTRL% `^
IRk)'f(joZ='5/#NyԾ;aoMsjvXuZ;
 
l6硫t6!P"4NM0KbUt7҅AȈUg'f*.%cM"rƓX?ufXcL62ϩR=RcBQt TB_. ,Z01&jwj"D<ȽN߱꿽cd}b稙w)̌ua<iR<VpGmeix׵MU G0fTxr}w>KｯMRئ!ZC
X͟4h9!_X߷;BjZ(L#֛f918ZB.L<|v\Ʉw賄<NT{.ouRJy8k򄑍r\%rz!-ҠzK۩͚֫	F{,lqUN;CHA%k5˛opP1oQY]&P=Liٜ*	)S%|***Gd5G6Zwr!ryQ"|x,/\AXg~4̨8ʕB(/p2)]_:4&AȨ5I<qM)"ݸ^E_5m)'*Hk'lpwT7}weVĴU>;z)n=hz#`J$Jxk~w IP
v̨?1?x!';'̭hR;iha$v&BGT5#DCsqzR\9[EH4\=2YEX׹*"ٚGzyrβ9jUȑj~/*GpaoypL)d''ٛW~ݭC?Z<fd\IVj(z]6*J4fi0@1vC;o;Xy?sb*WmV=Ǘ<	#RhGm G>zT9|7uɴ)~	(	D	(M/Ǔ1rF7?
1p@.Px@
!Q^}3;h-Yԕ?	m?GI+3aRTtYA?Nym&b`/wS
$b14~Ia|ʻ]X^1'pUjԂrDQ?bx*ȩ
L0pjF*8N7kZ1l%oĩTA$L&93Kq&c;HKsGJh1
ʟBsf}0/.3-
TԒx)X0Mug^&zrV=Б-Fۋ[}3X!6?--2[qZ\-TM5nb -oSHE[&} )nZO&'UԹCQUY}R
P%'4Oդ590i4;~	;",U.z:\wFuv$>NCg
Ip>%k$~pS0ꁢdqTiN
7v<$sƝiU=UUjsqHfiÅ_Z9DQAԸ;Yzohل~`Yk޲m&ϔ8mzү0l,Rԏx݄2y	#nx
ROWH|mwOm%#2?s 7\PDAxS
RseIBh7שF
njKrFY-ۦsdb0Da%#
NZIG4lR暱+!g]!xkb>v%,"Ҷѵ>'TlQR14KIwCSu!=+Јk&ZIx2,
˥1%H!U-a8\m]V~__ڈK(:&Q;pN &󤫼ykAs^A0Iiyy:9qϪ&> v1es@F$#iun=;2uW3KԋxT$T=I6XصaBdV9 Z]R"=98&XS&G$I1Q:VY;91Я:?<v53
 u/cI}$>8ˑXX)摄
֠PT5A~Uʋb'gT-'5lͷbsHm{Ƀt=C|0%lold3\߅D&PC_MYJznt¥@34
ux`vdt,8˰-86\l =m
MWHy<8}Qkt_Zk>dr|NVu_plKk旚XB<\u*Q'fd=ڵ6}nBD~!N
'Un/4ťj>z&s)C:CU#?a8
mﵩtFR¿K %JR 2]_Gܗ2>Nh?*}g#H#\5ľNOыb6Î2֖jnjcwR/j )ꠟV#أL]ᖵKHMϲpFR"~W82ׂ}C'>nDml(Uc9[|
.u/7
}U׹bv	+ƔiɌ]_#SI`'7
Yoy<WP/d~`*Qvɷ3RrEh!Iy; jitL9֖GC=w('yۯfv=Lqj[RwݓC$%CL\
,ZKت3\?˜F]c$$e0ekv̅wHꌫp{s20fX2!Ia?_o_c,mU	&M\Za'1mB1.ّ;pv۵t
G*<ЩYwÝzQ2'?9rau}'$=inUbu!R37lIi]u!#ne~NDNƌ:ε&'1!G\kEB7AL0ԗ.H#?|廯[pWH?j.MsE苚
n`XL^Ӫd疋	σ/8/oRs5#
ւB*7@oyvuY[2m1&Ė'E宻 V)jrdc:1<ч
j;vZʣ.9.B
^vs(2X΂_/R'Upɑ$6%#M]6VWZP)$Lna˒,?kZ?PA!vz+6& |WD?wo<O9Au<</\׻G]z4TO쮫[3
@GϽM>SZWs]r'rQx։WXOXvYt|5F j\BJ&at,zhK?L1ioڸG:mз.$|
<=F<"iYd,p ։s(Ņ b-I0RV[z(|d)W6>|DwσTJ:RbAmeD 7v 60˛k,n'Ǩb4fHޞ3c;B~0.IC ʰJ{
Ne?=+oiӬS	EFIxOM+u!yH(6G!:f!4VLKF:S6OFYbSmM*D&o*gGϗzyL{4I|@76	 +袢zieuW=b8͌f!uyO0j*lNL/5r/{}7t|8Oe'4WnS 5¿H+D:L^+syrj8
:]T9C[Hq6!K-ѰyZRS
NDVZ m-UOC^![rL	7%MJk$D#$-T	g;+-cu2B.\>U,AJwHowhLy:iaQ MD%vB PKv,ŅߩMP
Lg!y+/
e,yi(
x6BئuڿZHCQ%4I|hpӱ֘MR>tY::LٔY('si4dz40J5@ƴ)4O)6]aN%Eb֓zB:!UVe-Jv%,	N[No פގ5n&rPBIqr5Px?fnR9"[n$=\`bh&8;^_JK%AkՓ)l:훯滗)-[uZq%KHL)F71q,Zu*8"L1vy0L):1E7|'7ȁSZ,K}gy7_~6ERhI
2}B' J"a.yi0-&
?eLʒpM":uK1he1rR;l&)-v
vqLE_
KldWmh(ƢO<>Vܽ2f.#yĺP@(͹J$Ik:yS<Х`&!UsU;2_Zwd0
K=&5\5-{޸ V[N3o%-=O^:]к|Woiϴ()v4\GwxHQU-̾+H'{$>2jJ Tˠ7d,+t`jȲRʖX
V3É-1ҖT߬.n3L۰Dm_;\{eInXCeJ!6l/02;KJ*w\yiy-QGHڸ\M.5DIaWH"[T6FmX@fIKW0cyꛢxI:dZ̭9`}߾^-}"ElQNIaLy'.(f⊮,h?
I
\%1*M=מUd<s&,MwגrH+x|bf>t#0:@2aiҢp.ӓxpҿ^[Pf$z̞iVm[RJOi	O&<iUN$-kB@(P~$.R	6M+Ar*Jni@d4y_c긐Mdվҍ~uб:4rљԲsWQ'ɬSK&NH +#{8VLKI%vG^|fji	?t̃<vtM|w?$2V59]oOhi+|dIKP<_Q-7e-m|@O,/Ya6;0乓E5zہS|S𜜙][)۫A.&QI߄9Y/kZhn1\}TYhr"V3nk 
9J1kWNl>'G(oypZw	Guoݾ;$afNYdOS`wx 'ꋤ3)Kàz<&Pُfl(hl|5H-~_rH7_Cn׋?+i$Q _F)mwƊh3>6/Rw	<ƌ׵&r!h
|c\	& \8n>zDyHչv8#%Ymô>xh0hI1.D%3u>o̕ H.{
p-?ua
R巫~6ϜVɭ.	25(bT(O8w+WKK%00'hnPu(=+* 	CaCV{?XS7t}:Ôڲ	Ϩ=#AO䒧Ӡc\fm%]W77[-g5ܷwbӇӏNK'f7o ).[_:RYcER]g,űq6 Fq6dWmϨzq}_"+O*(9]ڮJ61Bfng]^NP9-V~3CM2
aGbNh:(6
jඈ2kfe
1l$U,'
$MjSX}RDtihfkǩH.ZkFNgquK(rUz&($.rdd\cƴE};Շ_@BD2~,rBt98܎ZdܧT/~k	޾|InKNgk,#щlr|࠾o`Q$+|
o"9`&LkFgEkGE$lB-jǧ}薑MM
Hx6+벶F$6Vpl,2P)4`'`<	u^JO31eyhBi ?=ZKA^vRƹWDurc)0D#<Ui)0ryK|lOK잕~Pξxyƽ	
L f-Iky@ED?%Z1 .Si[/Ӧ	NqRtnW	$;|wsꦍ
h4rٰAג65	JtT{]7QSе7s!mD2t%)m▋uUG-xF
(ӡX#(Դ(5O,#-4qg {-E`S)7X<^qAnR)L4/y<x2W%*tvÕ
ͻ~|zd4rU6;WjJ1 V#	R&+NZ|E'Rc||絋⩉\b)
lXmU`B?:(ƄLBHD#7Ʌ߭Z{+a¼HZ3QU..4 D0Y\8vz݁`:2IT$Gl=ay2&͆DVY@5 G	(RȁSH!!M㟔Ϭ
!M=>EYpYXpӒ{8/*K-	 n$:z67+Ullʴ].O!4LMyI=ÓLՆ,g4X8ׁR~ ~wr,(O#u8 ]v[GA!r<<D(rN QgdtsƢA*x!ϭL,d{Lz\Hݤx2HPTt*ªϞ꯼,D>;΋ޑ7$4؝RpTDY1
9)Qf+
2QJ1Uhk#U=g{-3O)Z1R@JN!1jeN.(ז?<;"[qA?ɩU`f#n[6qChԶ
ʾ!JR\(a2LR#u1ie-xg槍oe59umB7l.!$M	I5qJ_͏77,}Oz1ݖiO|#ΐ<
Rq&Hso1D,o~?J-5Hwzy.tyWQDN#0̗Uu!
\F*IaxLLp<0<2xZ{1FCm76a)
^Ak
:3V*te5'Bh*8鷴Z(C$kf#Caa{O3G$nesڱ=Y/l=tmӂ
P1YՊ
cO *T7m*63*P%}_{8
/Wru^ADn
r.\:i&2z+.nЉ7tb~-BLz?!

tƻ!
Kt/W|Z-Qu9A5H5{au/~s@^+"F21 HYQ\gpFu|}- oBǾ:b I5|<o&l(Z?TyeV1+}~?RKmʑqX{h[84lĦܔ~N["=pD0Hk)oex@V>-RQ#<A4$Ӿe+^]Cct-7}|3S*ۜA>0.-,9X]x52ҺreӦXKmAIN";=w3UGC.0'd.4vxodeOdYRPX]d.PMg,% LU @AJ3%1|)N]MZ&^XMP^eԲJ0
>gYlQD6ch2O~ě$cCg	q{ꎂ$}Z0=	!lE]a'l?*E*ܧFOSC܉ڱT?Q4A!3^yÃx"H*p̤i>+q=MQ)[z|,n4]O 6;ŝ9+ʲoQF	}r^%o[gz+`wIwi
*dR_glR AO,pS
m򹧷9O=Dk׋wϻ#&$eDewR[pfUAWNr(T}I]):Xܺ1%ј̔\MJwͮ.xC˅fH܊ɧC9veNz W|9R nI qA[u>׉`Z<ZXQ|q3pIA1~c}q
%_=vGgGuf<ש
e
+X_x
{@x1z}V)XK3_Gu"nۍt`eɇy@ba	)%ͬOY^9|t=2Ic\)'}Ů`~ < XK'KOp[:O-yKv#y{ѱSxL^P#fC@a1֛0GFo0@-`։J'U8[gZ/N\wPb{;Cסv*4mFQD
}o@r & iʢXѯ`y`	uFhinj[M&)׵ٗ+u`Xn0v%iUK6d'ux-"lo11%u$R}'ҐH}{fdsEJU*4W4Q]'t<GWQy#(o=2$C/^N+
OjMNb29ĨJ k#}5;ɋ[)fhc,ʅ-0I4
M-LeC(^#(RnҺՎx7X[KEMF]+mT:af>OTؘk6YU`-UcP Ey-;6 #GB}78e߿җ{'ݸf;'0ta.hOϵ5F]ƺD2HZP-x,3TX!]|z'enEGЉg,N59.,v*]-
U>O|:7BI׋&#צl"q`a4YRMȌo6V,SbyX]mi;N\M3c9qWAiϻ͒:I4kLIsYF['k;5dx(5Bїw3+[mwP>6G:%S4ʢ߻-i	lKy[A^ْgB{YqVUi6=+B,]D'@|E(C p~2B)*vdV./iiSyV!.;N5S?s@YҊEO83Мj:~z悑X -p:z>l3ГyiƦ]f_퟊4פEvWTgquG`K8Ruoq㔹ۑe3YOٟ99~_KzhYL
0bVQgvs,]3fQZf\Q#B>{HlLf_P@@A&/#	S'Sw<S=y8}^Î=zn+CiݘEI-k1><}mUVFRp:~^ZƷ
2͓G؎.&4~OԞZPBKn uJ
%V>g<^Z'բ .p՜^B*>VneX&)yQ  <H uC.f?u\)2۴d]ˬqiRLcL8ďa:*c>fh8ӇɘѰY^\GXpfUWLF[f9BFhG 7ô%Sl
Upcv:+#3-V,6hQuP=mi%mS]{A
Ĭ`Rˈȕ[Ƙ0ʁ
{+wI7d&v2y??P`YI*\G`ta)<?IR)rn(t9i@J8b~I4@'~dTLQ3?t~|HYSeؽ[~TIh"jIj,(ϴW-N6Z8
"?*^阓p)J;_21T<5<*߱~_HtpC	'Dtfq/iB+E7?)Q%''Gb@B>ѽA(An򂽽rS/pjfAGzE R޾}_<
xНJZю͇gQ#>MIR3fHI|Ȥxzc}v?>wC76M-[3NBhkoqq_UN2ź6"ڸ gRy\DrڣEtenXb`7KO|oqj?ϯN& i	:b
U{ðt<<o2Ounjēs@:Rh͗\nk5!׻QeǄ}7?w҃ة[4`dč"7//^y͠8|ۍB^~aw6.dTb!vRiOT.\eHUJl$$spĥ^-czLbn+8سu89ک/lo-GAw ismܶ[=EƌMh9}Hey{"d0+̦O}1h ].@-gٮ𡚔2k`=A0RPg?H<ɜ
#RptSDOvA[F!J._S@wfkփŬ=1;)P/>E9/;
}[U3}ma 0*Ϙ~~Psce8EozC ƆI#Pܮ`C`1eļ41(-Q%V~5Anix4E A8rI|XH[D~߾y5V+5@C[lsd,yę.hnv~ ٷfBo,	;N&EYdTc?:os>LjwXǹG3}[q<L;yLCU/M~k<"[:vv=hZJ!cqق
26v<T	LCL\4`fhe-*yC bdO~_9I@ۀg_s<8ˢ5j;y,4n=/R~ aM
#yF,6	g$-y(xDbA.#gQ%pVmK d{
Og @#=>1ɏ07pL$7|GnFUNHBP                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   Format: https://www.debian.org/doc/packaging-manuals/copyright-format/1.0/
Upstream-Name: vim
Source: https://github.com/vim/vim

Files: *
Copyright: 2001-2022 Bram Moolenaar <Bram@vim.org>
           2006 Benji Fisher <benji@member.ams.org>
           1999-2021 Charles E. Campbell, Jr. <drchip@campbellfamily.biz>
           2003 Fred Barnes
           2003 Mario Schweigler
           2004-2008 Michael Geddes
           2006 Martin Krischik
           2015 Christian Brabandt
           2014 David Necas (Yeti)
           2009-2013 Steven Oliver
           2012 Hong Xu
           2001-2022 MURAOKA Taro <koron.kaoriya@gmail.com>
           2001 Bohdan Vlasyuk <bohdan@vstu.edu.ua>
           2003-2022 Ernest Adrogué <eadrogue@gmx.net>
           2005,2006,2008,2010 Kevin Patrick Scannell <kscanne@gmail.com>
           1997 Olaf Seibert
           2002 E. I. DuPont de Nemours and Company, Inc
           Pablo Ariel Kohan
           2017 Eugene Ciurana
           2017 Ken Takata
           2019 Agilent Technologies, Inc.
License: Vim

Files: runtime/doc/*
Copyright: 1988-2003 Bram Moolenaar <Bram@vim.org>
License: OPL-1+
Comment: No license options are exercised.  See https://bugs.debian.org/384019
 for discussions confirming DFSG-ness of this license when no options are
 exercised.

Files:
 runtime/indent/cmake.vim
 runtime/indent/elm.vim
 runtime/syntax/cmake.vim
 runtime/syntax/elm.vim
 runtime/syntax/go.vim
 runtime/syntax/proto.vim
 runtime/syntax/tpp.vim
Copyright: Andy Cedilnik <andy.cedilnik@kitware.com>
           Karthik Krishnan <kartik.krishnan@kitware.com>
           Dimitri Merejkowsky <d.merej@gmail.com>
           Gerfried Fuchs <alfie@ist.org>
           Joseph Hager <ajhager@gmail.com>
           2008 Google Inc.
           2009 The Go Authors
License: BSD-3-clause

Files:
 runtime/ftplugin/jsonc.vim
 runtime/ftplugin/julia.vim
 runtime/ftplugin/wast.vim
 runtime/indent/julia.vim
 runtime/indent/wast.vim
 runtime/syntax/bitbake.vim
 runtime/syntax/json.vim
 runtime/syntax/jsonc.vim
 runtime/syntax/julia.vim
 runtime/syntax/nix.vim
 runtime/syntax/wast.vim
Copyright:
 2013 Jeroen Ruigrok van der Werven, Eli Parra
 2016 rhysd
 2021 Izhak Jakov
 2012-2016 Carlo Baldassi
 2004 Chris Larson
 2008 Ricardo Salveti
 2022 Daiderd Jordan
 2022 James Fleming
License: Expat

Files: runtime/syntax/tmux.vim
Copyright: Eric Pruitt <eric.pruitt@gmail.com>
License: BSD-2-clause

Files: runtime/syntax/rust.vim
       runtime/autoload/rust.vim
       runtime/autoload/rustfmt.vim
       runtime/ftplugin/rust.vim
       runtime/indent/rust.vim
       runtime/compiler/cargo.vim
Copyright: 2015 The Rust Project Developers
License: Apache or Expat

Files: runtime/tools/efm_perl.pl
Copyright: 2001 Joerg Ziefle <joerg.ziefle@gmx.de>
License: GPL-1+ or Artistic-1

Files: src/libvterm/*
Copyright: 2008 Paul Evans <leonerd@leonerd.org.uk>
License: Expat

Files: src/regexp_bt.c
Copyright: 1986 University of Toronto
License: Vim-Regexp

Files: src/if_xcmdsrv.c
Copyright: Copyright (c) 1989-1993 The Regents of the University of California.
License: UC

Files: src/tee/tee.c
Copyright: 1996, Paul Slootman
License: public-domain

Files: src/xxd/*
Copyright: 1990-1998 by Juergen Weigert (jnweiger@informatik.uni-erlangen.de)
License: Expat or GPL-2

Files: src/install-sh
Copyright: 1987, 1988, 1994 X Consortium
License: X11

Files: src/gui_gtk_vms.h
Copyright: 2000 Compaq Computer Corporation
License: Compaq

Files: src/pty.c
Copyright: 1993 Juergen Weigert (jnweiger@immd4.informatik.uni-erlangen.de)
           1993 Michael Schroeder (mlschroe@immd4.informatik.uni-erlangen.de)
           1987 Oliver Laumann
License: GPL-2+

Files: src/iscygpty.*
Copyright: 2015-2017 K.Takata
License: Expat or Vim

Files: src/xpm/*
Copyright: 1989-95 GROUPE BULL
License: XPM

Files: src/xdiff/*
Copyright: 2003-2016 Davide Libenzi, Johannes E. Schindelin
License: LGPL-2.1+

Files: src/xdiff/xhistogram.c
Copyright: 2010 Google Inc. and other copyright owners as documented in JGit's IP log
License: EDL-1

Files:
 runtime/compiler/powershell.vim
 runtime/doc/ft_ps1.txt
 runtime/ftplugin/ps1.vim
 runtime/ftplugin/ps1xml.vim
 runtime/ftplugin/swift.vim
 runtime/ftplugin/swiftgyb.vim
 runtime/indent/ps1.vim
 runtime/syntax/ps1.vim
 runtime/syntax/ps1xml.vim
 runtime/syntax/sil.vim
 runtime/syntax/swift.vim
 runtime/syntax/swiftgyb.vim
Copyright:
 2014-2020 Apple Inc. and the Swift project authors
 2005-2021 Peter Provost
License: Apache

Files: runtime/syntax/poke.vim
Copyright: 2021 Matthew T. Ihlenfield
License: GPL-3+

License: Vim
 I)  There are no restrictions on distributing unmodified copies of Vim except
     that they must include this license text.  You can also distribute
     unmodified parts of Vim, likewise unrestricted except that they must
     include this license text.  You are also allowed to include executables
     that you made from the unmodified Vim sources, plus your own usage
     examples and Vim scripts.
 .
 II) It is allowed to distribute a modified (or extended) version of Vim,
     including executables and/or source code, when the following four
     conditions are met:
     1) This license text must be included unmodified.
     2) The modified Vim must be distributed in one of the following five ways:
        a) If you make changes to Vim yourself, you must clearly describe in
           the distribution how to contact you.  When the maintainer asks you
           (in any way) for a copy of the modified Vim you distributed, you
           must make your changes, including source code, available to the
           maintainer without fee.  The maintainer reserves the right to
           include your changes in the official version of Vim.  What the
           maintainer will do with your changes and under what license they
           will be distributed is negotiable.  If there has been no negotiation
           then this license, or a later version, also applies to your changes.
           The current maintainer is Bram Moolenaar <Bram@vim.org>.  If this
           changes it will be announced in appropriate places (most likely
           vim.sf.net, www.vim.org and/or comp.editors).  When it is completely
           impossible to contact the maintainer, the obligation to send him
           your changes ceases.  Once the maintainer has confirmed that he has
           received your changes they will not have to be sent again.
        b) If you have received a modified Vim that was distributed as
           mentioned under a) you are allowed to further distribute it
           unmodified, as mentioned at I).  If you make additional changes the
           text under a) applies to those changes.
        c) Provide all the changes, including source code, with every copy of
           the modified Vim you distribute.  This may be done in the form of a
           context diff.  You can choose what license to use for new code you
           add.  The changes and their license must not restrict others from
           making their own changes to the official version of Vim.
        d) When you have a modified Vim which includes changes as mentioned
           under c), you can distribute it without the source code for the
           changes if the following three conditions are met:
           - The license that applies to the changes permits you to distribute
             the changes to the Vim maintainer without fee or restriction, and
             permits the Vim maintainer to include the changes in the official
             version of Vim without fee or restriction.
           - You keep the changes for at least three years after last
             distributing the corresponding modified Vim.  When the maintainer
             or someone who you distributed the modified Vim to asks you (in
             any way) for the changes within this period, you must make them
             available to him.
           - You clearly describe in the distribution how to contact you.  This
             contact information must remain valid for at least three years
             after last distributing the corresponding modified Vim, or as long
             as possible.
        e) When the GNU General Public License (GPL) applies to the changes,
           you can distribute the modified Vim under the GNU GPL version 2 or
           any later version.
     3) A message must be added, at least in the output of the ":version"
        command and in the intro screen, such that the user of the modified Vim
        is able to see that it was modified.  When distributing as mentioned
        under 2)e) adding the message is only required for as far as this does
        not conflict with the license used for the changes.
     4) The contact information as required under 2)a) and 2)d) must not be
        removed or changed, except that the person himself can make
        corrections.
 .
 III) If you distribute a modified version of Vim, you are encouraged to use
      the Vim license for your changes and make them available to the
      maintainer, including the source code.  The preferred way to do this is
      by e-mail or by uploading the files to a server and e-mailing the URL.
      If the number of changes is small (e.g., a modified Makefile) e-mailing a
      context diff will do.  The e-mail address to be used is
      <maintainer@vim.org>
 .
 IV)  It is not allowed to remove this license from the distribution of the Vim
      sources, parts of it or from a modified version.  You may use this
      license for previous Vim releases instead of the license that they came
      with, at your option.

License: OPL-1+
 I. REQUIREMENTS ON BOTH UNMODIFIED AND MODIFIED VERSIONS
 .
 The Open Publication works may be reproduced and distributed in whole or in
 part, in any medium physical or electronic, provided that the terms of this
 license are adhered to, and that this license or an incorporation of it by
 reference (with any options elected by the author(s) and/or publisher) is
 displayed in the reproduction.
 .
 Proper form for an incorporation by reference is as follows:
 .
     Copyright (c) <year> by <author's name or designee>. This material may be
     distributed only subject to the terms and conditions set forth in the Open
     Publication License, vX.Y or later (the latest version is presently
     available at http://www.opencontent.org/openpub/).
 .
 The reference must be immediately followed with any options elected by the
 author(s) and/or publisher of the document (see section VI).
 .
 Commercial redistribution of Open Publication-licensed material is permitted.
 .
 Any publication in standard (paper) book form shall require the citation of the
 original publisher and author. The publisher and author's names shall appear on
 all outer surfaces of the book. On all outer surfaces of the book the original
 publisher's name shall be as large as the title of the work and cited as
 possessive with respect to the title.
 .
 .
 II. COPYRIGHT
 .
 The copyright to each Open Publication is owned by its author(s) or designee.
 .
 .
 III. SCOPE OF LICENSE
 .
 The following license terms apply to all Open Publication works, unless
 otherwise explicitly stated in the document.
 .
 Mere aggregation of Open Publication works or a portion of an Open Publication
 work with other works or programs on the same media shall not cause this
 license to apply to those other works. The aggregate work shall contain a
 notice specifying the inclusion of the Open Publication material and
 appropriate copyright notice.
 .
 SEVERABILITY. If any part of this license is found to be unenforceable in any
 jurisdiction, the remaining portions of the license remain in force.
 .
 NO WARRANTY. Open Publication works are licensed and provided "as is" without
 warranty of any kind, express or implied, including, but not limited to, the
 implied warranties of merchantability and fitness for a particular purpose or a
 warranty of non-infringement.
 .
 .
 IV. REQUIREMENTS ON MODIFIED WORKS
 .
 All modified versions of documents covered by this license, including
 translations, anthologies, compilations and partial documents, must meet the
 following requirements:
 .
    1. The modified version must be labeled as such.
    2. The person making the modifications must be identified and the
       modifications dated.
    3. Acknowledgement of the original author and publisher if applicable must
       be retained according to normal academic citation practices.
    4. The location of the original unmodified document must be identified.
    5. The original author's (or authors') name(s) may not be used to assert or
       imply endorsement of the resulting document without the original author's
       (or authors') permission.
 .
 .
 V. GOOD-PRACTICE RECOMMENDATIONS
 .
 In addition to the requirements of this license, it is requested from and
 strongly recommended of redistributors that:
 .
    1. If you are distributing Open Publication works on hardcopy or CD-ROM, you
       provide email notification to the authors of your intent to redistribute
       at least thirty days before your manuscript or media freeze, to give the
       authors time to provide updated documents. This notification should
       describe modifications, if any, made to the document.
    2. All substantive modifications (including deletions) be either clearly
       marked up in the document or else described in an attachment to the
       document.
    3. Finally, while it is not mandatory under this license, it is considered
       good form to offer a free copy of any hardcopy and CD-ROM expression of
       an Open Publication-licensed work to its author(s).
 .
 .
 VI. LICENSE OPTIONS
 .
 The author(s) and/or publisher of an Open Publication-licensed document may
 elect certain options by appending language to the reference to or copy of the
 license. These options are considered part of the license instance and must be
 included with the license (or its incorporation by reference) in derived works.
 .
 A. To prohibit distribution of substantively modified versions without the
 explicit permission of the author(s). "Substantive modification" is defined as
 a change to the semantic content of the document, and excludes mere changes in
 format or typographical corrections.
 .
 To accomplish this, add the phrase `Distribution of substantively modified
 versions of this document is prohibited without the explicit permission of the
 copyright holder.' to the license reference or copy.
 .
 B. To prohibit any publication of this work or derivative works in whole or in
 part in standard (paper) book form for commercial purposes is prohibited unless
 prior permission is obtained from the copyright holder.
 .
 To accomplish this, add the phrase 'Distribution of the work or derivative of
 the work in any standard (paper) book form is prohibited unless prior
 permission is obtained from the copyright holder.' to the license reference or
 copy.

License: GPL-2
 On Debian systems, the complete text of the GPL version 2 license can be
 found in `/usr/share/common-licenses/GPL-2'.

License: GPL-2+
 On Debian systems, the complete text of the GPL version 2 license can be
 found in `/usr/share/common-licenses/GPL-2'.

License: GPL-3+
 On Debian systems, the complete text of the GPL version 3 license can be
 found in `/usr/share/common-licenses/GPL-3'.

License: GPL-1+
 On Debian systems, the complete text of the GPL version 1 license can be
 found in `/usr/share/common-licenses/GPL-1'.

License: LGPL-2.1+
 On Debian systems, the complete text of the LGPL version 2 license can be
 found in `/usr/share/common-licenses/LGPL-2.1'.

License: Artistic-1
 On Debian systems, the complete text of the Artistic version 1 license
 can be found in `/usr/share/common-licenses/Artistic'.

License: Vim-Regexp
 Permission is granted to anyone to use this software for any
 purpose on any computer system, and to redistribute it freely,
 subject to the following restrictions:
 .
 1. The author is not responsible for the consequences of use of
        this software, no matter how awful, even if they arise
        from defects in it.
 .
 2. The origin of this software must not be misrepresented, either
        by explicit claim or by omission.
 .
 3. Altered versions must be plainly marked as such, and must not
        be misrepresented as being the original software.

License: Apache
 On Debian systems, the complete text of the Apache version 2.0 license can be
 found in `/usr/share/common-licenses/Apache-2.0'.

License: Expat
 Permission is hereby granted, free of charge, to any person obtaining a copy
 of this software and associated documentation files (the "Software"), to
 deal in the Software without restriction, including without limitation the
 rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
 sell copies of the Software, and to permit persons to whom the Software is
 furnished to do so, subject to the following conditions:
 .
 The above copyright notice and this permission notice shall be included in
 all copies or substantial portions of the Software.
 .
 THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
 EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
 MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
 NONINFRINGEMENT.  IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS
 BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN
 ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
 CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
 SOFTWARE.

License: X11
 Permission is hereby granted, free of charge, to any person obtaining a copy
 of this software and associated documentation files (the "Software"), to deal
 in the Software without restriction, including without limitation the rights
 to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
 copies of the Software, and to permit persons to whom the Software is
 furnished to do so, subject to the following conditions:
 .
 The above copyright notice and this permission notice shall be included in all
 copies or substantial portions of the Software.
 .
 THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
 IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
 FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.  IN NO EVENT SHALL THE X
 CONSORTIUM BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN
 ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
 WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
 .
 Except as contained in this notice, the name of the X Consortium shall not be
 used in advertising or otherwise to promote the sale, use or other dealings in
 this Software without prior written authorization from the X Consortium.

License: UC
 Permission is hereby granted, without written agreement and without
 license or royalty fees, to use, copy, modify, and distribute this
 software and its documentation for any purpose, provided that the
 above copyright notice and the following two paragraphs appear in
 all copies of this software.
 .
 IN NO EVENT SHALL THE UNIVERSITY OF CALIFORNIA BE LIABLE TO ANY PARTY FOR
 DIRECT, INDIRECT, SPECIAL, INCIDENTAL, OR CONSEQUENTIAL DAMAGES ARISING OUT
 OF THE USE OF THIS SOFTWARE AND ITS DOCUMENTATION, EVEN IF THE UNIVERSITY OF
 CALIFORNIA HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
 .
 THE UNIVERSITY OF CALIFORNIA SPECIFICALLY DISCLAIMS ANY WARRANTIES,
 INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY
 AND FITNESS FOR A PARTICULAR PURPOSE.  THE SOFTWARE PROVIDED HEREUNDER IS
 ON AN "AS IS" BASIS, AND THE UNIVERSITY OF CALIFORNIA HAS NO OBLIGATION TO
 PROVIDE MAINTENANCE, SUPPORT, UPDATES, ENHANCEMENTS, OR MODIFICATIONS.

License: public-domain
 This source code is released into the public domain. It is provided on an
 as-is basis and no responsibility is accepted for its failure to perform
 as expected. It is worth at least as much as you paid for it!

License: Compaq
 1. GRANT
 Compaq Computer Corporation ("COMPAQ") grants you the right to use,
 modify, and distribute the following source code (the "Software")
 on any number of computers. You may use the Software as part of
 creating a software program or product intended for commercial or
 non-commercial distribution in machine-readable source code, binary,
 or executable formats. You may distribute the Software as
 machine-readable source code provided this license is not removed
 from the Software and any modifications are conspicuously indicated.
 2. COPYRIGHT
 The Software is owned by COMPAQ and its suppliers and is protected by
 copyright laws and international treaties.  Your use of the Software
 and associated documentation is subject to the applicable copyright
 laws and the express rights and restrictions of these terms.
 3. RESTRICTIONS
 You may not remove any copyright, trademark, or other proprietary
 notices from the Software or the associated
 You are responsible for compliance with all applicable export or
 re-export control laws and regulations if you export the Software.
 This license is governed by and is to be construed under the laws
 of the State of Texas.
 .
 DISCLAIMER OF WARRANTY AND LIABILITY
 Compaq shall not be liable for technical or editorial errors or
 omissions contained herein. The information contained herein is
 subject to change without notice.
 .
 THIS SOFTWARE IS PROVIDED "AS IS" WITHOUT WARRANTY OF ANY KIND.
 THE ENTIRE RISK ARISING OUT OF THE USE OF THIS SOFTWARE REMAINS WITH
 RECIPIENT.  IN NO EVENT SHALL COMPAQ BE LIABLE FOR ANY DIRECT,
 CONSEQUENTIAL, INCIDENTAL, SPECIAL, PUNITIVE OR OTHER DAMAGES
 WHATSOEVER (INCLUDING WITHOUT LIMITATION DAMAGES FOR LOSS OF BUSINESS
 PROFITS, BUSINESS INTERRUPTION, OR LOSS OF BUSINESS INFORMATION),
 EVEN IF COMPAQ HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES
 AND WHETHER IN AN ACTION OF CONTRACT OR TORT INCLUDING NEGLIGENCE.

License: XPM
 Permission is hereby granted, free of charge, to any person obtaining a copy
 of this software and associated documentation files (the "Software"), to
 deal in the Software without restriction, including without limitation the
 rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
 sell copies of the Software, and to permit persons to whom the Software is
 furnished to do so, subject to the following conditions:
 .
 The above copyright notice and this permission notice shall be included in
 all copies or substantial portions of the Software.
 .
 THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
 IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
 FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
 GROUPE BULL BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN
 AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
 CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
 .
 Except as contained in this notice, the name of GROUPE BULL shall not be
 used in advertising or otherwise to promote the sale, use or other dealings
 in this Software without prior written authorization from GROUPE BULL.

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:
 .
 * Redistributions of source code must retain the above copyright
   notice, this list of conditions and the following disclaimer.
 .
 * Redistributions in binary form must reproduce the above copyright
   notice, this list of conditions and the following disclaimer in the
   documentation and/or other materials provided with the distribution.
 .
 * Neither the name of Kitware, Inc. nor the names of Contributors
   may be used to endorse or promote products derived from this
   software without specific prior written permission.
 .
 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
 "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
 LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
 A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
 HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
 SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
 LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
 DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
 THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
 (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
 OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.

License: BSD-2-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 the above copyright notice, this
    list of conditions and the following disclaimer.
 .
 2. Redistributions in binary form must reproduce the above copyright notice,
    this list of conditions and the following disclaimer in the documentation
    and/or other materials provided with the distribution.
 .
 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
 ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
 WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
 DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
 FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
 DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
 SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
 CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
 OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
 OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.

License: EDL-1
 This program and the accompanying materials are made available
 under the terms of the Eclipse Distribution License v1.0 which
 accompanies this distribution, is reproduced below, and is
 available at http://www.eclipse.org/org/documents/edl-v10.php
 .
 All rights reserved.
 .
 Redistribution and use in source and binary forms, with or
 without modification, are permitted provided that the following
 conditions are met:
 .
 - Redistributions of source code must retain the above copyright
   notice, this list of conditions and the following disclaimer.
 .
 - Redistributions in binary form must reproduce the above
   copyright notice, this list of conditions and the following
   disclaimer in the documentation and/or other materials provided
   with the distribution.
 .
 - Neither the name of the Eclipse Foundation, Inc. nor the
   names of its contributors may be used to endorse or promote
   products derived from this software without specific prior
   written permission.
 .
 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND
 CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES,
 INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES
 OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
 ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR
 CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
 SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
 NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
 LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
 CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT,
 STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
 ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF
 ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        PNG

   
IHDR   0   0   ,   gAMA  a   PLTE         h,w   tRNS @f  `IDATxuK @y"	`κP	I`>X^!Z*cK	1HO)~yaS,*wmu@%x+zH]%_b6ܛ"	t@/0
Y8\`"<}SkM4B){jBRR@0!M_fpeyBl$VY	T*S^1 y4@Xt
T8
흷`\6s!dnnݰ@WNxvB*F2lkɢA++![,==1cX!ewlCmk ?v.|]K!_4H    IENDB`                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      <?xml version="1.0" encoding="UTF-8"?>
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" width="282pt" height="282pt" viewBox="0 0 282 282" version="1.1">
<defs>
<clipPath id="clip1">
  <path d="M 0.707031 0.570312 L 281.578125 0.570312 L 281.578125 281.445312 L 0.707031 281.445312 Z M 0.707031 0.570312 "/>
</clipPath>
</defs>
<g id="surface1">
<g clip-path="url(#clip1)" clip-rule="nonzero">
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(13.729858%,12.159729%,12.548828%);fill-opacity:1;" d="M 281.472656 139.566406 L 139.703125 0.679688 L 0.816406 142.375 L 139.703125 281.335938 L 281.472656 139.566406 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 2814.726562 1424.335938 L 1397.03125 2813.203125 L 8.164062 1396.25 L 1397.03125 6.640625 Z M 2814.726562 1424.335938 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
</g>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(19.747925%,38.182068%,32.107544%);fill-opacity:1;" d="M 267.289062 139.566406 L 275.785156 139.566406 L 139.703125 275.648438 L 139.703125 267.152344 L 267.289062 139.566406 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 2672.890625 1424.335938 L 2757.851562 1424.335938 L 1397.03125 63.515625 L 1397.03125 148.476562 Z M 2672.890625 1424.335938 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(22.206116%,43.157959%,36.126709%);fill-opacity:1;" d="M 6.503906 142.375 L 15 142.375 L 139.703125 267.152344 L 139.703125 275.648438 L 6.503906 142.375 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 65.039062 1396.25 L 150 1396.25 L 1397.03125 148.476562 L 1397.03125 63.515625 Z M 65.039062 1396.25 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(40.040588%,79.243469%,65.275574%);fill-opacity:1;" d="M 139.703125 14.792969 L 139.703125 6.367188 L 6.503906 142.375 L 15 142.375 L 139.703125 14.792969 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1397.03125 2672.070312 L 1397.03125 2756.328125 L 65.039062 1396.25 L 150 1396.25 Z M 1397.03125 2672.070312 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(27.148438%,73.228455%,23.704529%);fill-opacity:1;" d="M 139.703125 6.367188 L 139.703125 14.792969 L 267.289062 139.566406 L 275.785156 139.566406 L 139.703125 6.367188 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1397.03125 2756.328125 L 1397.03125 2672.070312 L 2672.890625 1424.335938 L 2757.851562 1424.335938 Z M 1397.03125 2756.328125 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(26.049805%,50.93689%,42.410278%);fill-opacity:1;" d="M 139.703125 267.152344 L 267.289062 139.566406 L 139.703125 14.792969 L 15 142.375 L 139.703125 267.152344 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1397.03125 148.476562 L 2672.890625 1424.335938 L 1397.03125 2672.070312 L 150 1396.25 Z M 1397.03125 148.476562 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(13.729858%,12.159729%,12.548828%);fill-opacity:1;" d="M 166.199219 43.160156 L 174.695312 51.726562 L 116.089844 111.199219 L 116.089844 51.726562 L 121.777344 51.726562 L 130.273438 43.160156 L 130.273438 20.550781 L 121.777344 11.984375 L 27.3125 11.984375 L 18.816406 20.550781 L 18.816406 43.160156 L 27.3125 51.726562 L 33.933594 51.726562 L 33.933594 244.472656 L 44.304688 252.96875 L 73.609375 252.96875 L 276.71875 43.160156 L 276.71875 20.550781 L 268.226562 11.984375 L 175.632812 11.984375 L 166.199219 20.550781 L 166.199219 43.160156 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1661.992188 2388.398438 L 1746.953125 2302.734375 L 1160.898438 1708.007812 L 1160.898438 2302.734375 L 1217.773438 2302.734375 L 1302.734375 2388.398438 L 1302.734375 2614.492188 L 1217.773438 2700.15625 L 273.125 2700.15625 L 188.164062 2614.492188 L 188.164062 2388.398438 L 273.125 2302.734375 L 339.335938 2302.734375 L 339.335938 375.273438 L 443.046875 290.3125 L 736.09375 290.3125 L 2767.1875 2388.398438 L 2767.1875 2614.492188 L 2682.265625 2700.15625 L 1756.328125 2700.15625 L 1661.992188 2614.492188 Z M 1661.992188 2388.398438 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(100%,100%,100%);fill-opacity:1;" d="M 30.121094 46.039062 L 24.429688 40.351562 L 24.429688 23.359375 L 30.121094 17.671875 L 118.96875 17.601562 L 124.585938 23.359375 L 118.96875 26.097656 L 116.089844 23.359375 L 30.121094 37.472656 L 30.121094 46.039062 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 301.210938 2359.609375 L 244.296875 2416.484375 L 244.296875 2586.40625 L 301.210938 2643.28125 L 1189.6875 2643.984375 L 1245.859375 2586.40625 L 1189.6875 2559.023438 L 1160.898438 2586.40625 L 301.210938 2445.273438 Z M 301.210938 2359.609375 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(100%,100%,100%);fill-opacity:1;" d="M 47.113281 247.28125 L 40.488281 241.59375 L 40.488281 45.96875 L 47.113281 40.351562 L 47.113281 247.28125 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 471.132812 347.1875 L 404.882812 404.0625 L 404.882812 2360.3125 L 471.132812 2416.484375 Z M 471.132812 347.1875 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(100%,100%,100%);fill-opacity:1;" d="M 188.878906 46.039062 L 194.566406 40.351562 L 194.566406 51.726562 L 100.03125 148.0625 L 110.472656 125.382812 L 188.878906 46.039062 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1888.789062 2359.609375 L 1945.664062 2416.484375 L 1945.664062 2302.734375 L 1000.3125 1339.375 L 1104.726562 1566.171875 Z M 1888.789062 2359.609375 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(56.697083%,55.909729%,56.105042%);fill-opacity:1;" d="M 49.054688 37.542969 L 47.113281 40.351562 L 40.488281 46.039062 L 30.121094 46.039062 L 30.121094 34.664062 L 49.054688 37.542969 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 490.546875 2444.570312 L 471.132812 2416.484375 L 404.882812 2359.609375 L 301.210938 2359.609375 L 301.210938 2473.359375 Z M 490.546875 2444.570312 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(56.697083%,55.909729%,56.105042%);fill-opacity:1;" d="M 110.472656 46.039062 L 110.472656 125.382812 L 100.03125 147.992188 L 100.03125 40.28125 L 116.089844 40.28125 L 118.96875 37.472656 L 116.089844 23.359375 L 124.585938 23.359375 L 124.585938 40.351562 L 118.96875 46.039062 L 110.472656 46.039062 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1104.726562 2359.609375 L 1104.726562 1566.171875 L 1000.3125 1340.078125 L 1000.3125 2417.1875 L 1160.898438 2417.1875 L 1189.6875 2445.273438 L 1160.898438 2586.40625 L 1245.859375 2586.40625 L 1245.859375 2416.484375 L 1189.6875 2359.609375 Z M 1104.726562 2359.609375 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(100%,100%,100%);fill-opacity:1;" d="M 177.503906 46.039062 L 171.886719 40.351562 L 171.886719 23.359375 L 178.441406 17.671875 L 264.480469 17.671875 L 271.105469 23.359375 L 261.601562 31.855469 L 177.503906 37.472656 L 177.503906 46.039062 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1775.039062 2359.609375 L 1718.867188 2416.484375 L 1718.867188 2586.40625 L 1784.414062 2643.28125 L 2644.804688 2643.28125 L 2711.054688 2586.40625 L 2616.015625 2501.445312 L 1775.039062 2445.273438 Z M 1775.039062 2359.609375 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(56.697083%,55.909729%,56.105042%);fill-opacity:1;" d="M 271.105469 40.351562 L 71.664062 247.28125 L 47.113281 247.28125 L 47.113281 238.785156 L 65.113281 238.785156 L 264.480469 34.664062 L 261.601562 23.359375 L 271.105469 23.359375 L 271.105469 40.351562 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 2711.054688 2416.484375 L 716.640625 347.1875 L 471.132812 347.1875 L 471.132812 432.148438 L 651.132812 432.148438 L 2644.804688 2473.359375 L 2616.015625 2586.40625 L 2711.054688 2586.40625 Z M 2711.054688 2416.484375 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(56.697083%,55.909729%,56.105042%);fill-opacity:1;" d="M 196.441406 37.542969 L 194.496094 40.351562 L 188.878906 46.039062 L 177.503906 46.039062 L 177.503906 34.664062 L 196.441406 37.542969 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1964.414062 2444.570312 L 1944.960938 2416.484375 L 1888.789062 2359.609375 L 1775.039062 2359.609375 L 1775.039062 2473.359375 Z M 1964.414062 2444.570312 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(82.751465%,82.437134%,82.514954%);fill-opacity:1;" d="M 100.03125 147.992188 L 100.03125 40.28125 L 116.089844 40.28125 L 118.96875 37.472656 L 118.96875 26.097656 L 116.089844 23.289062 L 32.925781 23.289062 L 30.121094 26.097656 L 30.121094 37.472656 L 32.925781 40.28125 L 47.113281 40.28125 L 47.113281 238.785156 L 50.785156 241.59375 L 66.984375 241.59375 L 265.414062 34.664062 L 265.414062 26.527344 L 262.535156 23.289062 L 180.382812 23.289062 L 177.503906 26.097656 L 177.503906 37.542969 L 180.382812 40.351562 L 194.566406 40.351562 L 194.566406 51.726562 L 100.03125 147.992188 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1000.3125 1340.078125 L 1000.3125 2417.1875 L 1160.898438 2417.1875 L 1189.6875 2445.273438 L 1189.6875 2559.023438 L 1160.898438 2587.109375 L 329.257812 2587.109375 L 301.210938 2559.023438 L 301.210938 2445.273438 L 329.257812 2417.1875 L 471.132812 2417.1875 L 471.132812 432.148438 L 507.851562 404.0625 L 669.84375 404.0625 L 2654.140625 2473.359375 L 2654.140625 2554.726562 L 2625.351562 2587.109375 L 1803.828125 2587.109375 L 1775.039062 2559.023438 L 1775.039062 2444.570312 L 1803.828125 2416.484375 L 1945.664062 2416.484375 L 1945.664062 2302.734375 Z M 1000.3125 1340.078125 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(13.729858%,12.159729%,12.548828%);fill-opacity:1;" d="M 151.585938 148.136719 L 158.207031 142.449219 L 175.199219 142.449219 L 179.953125 148.136719 L 174.265625 165.128906 L 167.710938 170.816406 L 150.71875 170.816406 L 145.894531 165.128906 L 151.585938 148.136719 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1515.859375 1338.632812 L 1582.070312 1395.507812 L 1751.992188 1395.507812 L 1799.53125 1338.632812 L 1742.65625 1168.710938 L 1677.109375 1111.835938 L 1507.1875 1111.835938 L 1458.945312 1168.710938 Z M 1515.859375 1338.632812 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(13.729858%,12.159729%,12.548828%);fill-opacity:1;" d="M 157.273438 241.664062 L 174.335938 190.6875 L 168.648438 190.6875 L 174.335938 173.625 L 199.753906 173.625 L 205.441406 179.3125 L 209.257812 179.3125 L 214.871094 173.625 L 233.808594 173.625 L 239.496094 179.3125 L 243.238281 179.3125 L 248.929688 173.625 L 269.664062 173.625 L 277.222656 185 L 264.839844 225.320312 L 270.457031 225.320312 L 264.984375 241.664062 L 230.929688 241.664062 L 244.246094 201.992188 L 235.753906 201.992188 L 227.902344 225.175781 L 233.519531 225.175781 L 228.191406 241.664062 L 194.136719 241.664062 L 207.382812 201.992188 L 198.886719 201.992188 L 190.96875 225.320312 L 196.65625 225.320312 L 191.328125 241.664062 L 157.273438 241.664062 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1572.734375 403.359375 L 1743.359375 913.125 L 1686.484375 913.125 L 1743.359375 1083.75 L 1997.539062 1083.75 L 2054.414062 1026.875 L 2092.578125 1026.875 L 2148.710938 1083.75 L 2338.085938 1083.75 L 2394.960938 1026.875 L 2432.382812 1026.875 L 2489.296875 1083.75 L 2696.640625 1083.75 L 2772.226562 970 L 2648.398438 566.796875 L 2704.570312 566.796875 L 2649.84375 403.359375 L 2309.296875 403.359375 L 2442.460938 800.078125 L 2357.539062 800.078125 L 2279.023438 568.242188 L 2335.195312 568.242188 L 2281.914062 403.359375 L 1941.367188 403.359375 L 2073.828125 800.078125 L 1988.867188 800.078125 L 1909.6875 566.796875 L 1966.5625 566.796875 L 1913.28125 403.359375 Z M 1572.734375 403.359375 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(82.751465%,82.437134%,82.514954%);fill-opacity:1;" d="M 267.070312 179.3125 L 271.464844 185.578125 L 257.496094 230.359375 L 263.113281 230.359375 L 261.238281 235.976562 L 238.558594 235.976562 L 251.808594 196.304688 L 231.9375 196.304688 L 220.632812 230.359375 L 226.246094 230.359375 L 224.375 235.976562 L 201.695312 235.976562 L 214.945312 196.304688 L 195.070312 196.304688 L 183.769531 230.359375 L 189.457031 230.359375 L 187.511719 235.976562 L 164.832031 235.976562 L 181.894531 185 L 176.207031 185 L 178.078125 179.3125 L 198.886719 179.3125 L 204.574219 185 L 210.191406 185 L 215.878906 179.3125 L 232.871094 179.3125 L 238.558594 185 L 244.246094 185 L 249.9375 179.3125 L 267.070312 179.3125 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 2670.703125 1026.875 L 2714.648438 964.21875 L 2574.960938 516.40625 L 2631.132812 516.40625 L 2612.382812 460.234375 L 2385.585938 460.234375 L 2518.085938 856.953125 L 2319.375 856.953125 L 2206.328125 516.40625 L 2262.460938 516.40625 L 2243.75 460.234375 L 2016.953125 460.234375 L 2149.453125 856.953125 L 1950.703125 856.953125 L 1837.695312 516.40625 L 1894.570312 516.40625 L 1875.117188 460.234375 L 1648.320312 460.234375 L 1818.945312 970 L 1762.070312 970 L 1780.78125 1026.875 L 1988.867188 1026.875 L 2045.742188 970 L 2101.914062 970 L 2158.789062 1026.875 L 2328.710938 1026.875 L 2385.585938 970 L 2442.460938 970 L 2499.375 1026.875 Z M 2670.703125 1026.875 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style="fill-rule:evenodd;fill:rgb(13.729858%,12.159729%,12.548828%);fill-opacity:1;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1714.570312 1083.75 L 1541.054688 567.539062 L 1600.078125 567.539062 L 1543.90625 403.359375 L 1204.0625 403.359375 L 1373.984375 913.125 L 1317.109375 913.125 Z M 1317.109375 913.125 L 1373.984375 1083.75 L 1714.570312 1083.75 Z M 1317.109375 913.125 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(82.751465%,82.437134%,82.514954%);fill-opacity:1;" d="M 150.648438 235.976562 L 152.519531 230.359375 L 146.832031 230.359375 L 163.894531 179.3125 L 140.28125 179.3125 L 138.335938 185 L 144.960938 185 L 127.96875 235.976562 L 150.648438 235.976562 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1506.484375 460.234375 L 1525.195312 516.40625 L 1468.320312 516.40625 L 1638.945312 1026.875 L 1402.8125 1026.875 L 1383.359375 970 L 1449.609375 970 L 1279.6875 460.234375 Z M 1506.484375 460.234375 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
<path style=" stroke:none;fill-rule:evenodd;fill:rgb(82.751465%,82.437134%,82.514954%);fill-opacity:1;" d="M 169.511719 162.320312 L 173.328125 150.945312 L 171.457031 148.136719 L 160.078125 148.136719 L 156.335938 150.945312 L 152.519531 162.320312 L 154.464844 165.128906 L 165.839844 165.128906 L 169.511719 162.320312 "/>
<path style="fill:none;stroke-width:2.16;stroke-linecap:butt;stroke-linejoin:miter;stroke:rgb(13.729858%,12.159729%,12.548828%);stroke-opacity:1;stroke-miterlimit:10;" d="M 1695.117188 1196.796875 L 1733.28125 1310.546875 L 1714.570312 1338.632812 L 1600.78125 1338.632812 L 1563.359375 1310.546875 L 1525.195312 1196.796875 L 1544.648438 1168.710938 L 1658.398438 1168.710938 Z M 1695.117188 1196.796875 " transform="matrix(0.1,0,0,-0.1,0,282)"/>
</g>
</svg>
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       PNG

   
IHDR         R   gAMA  a   PLTE         1   tRNS @f   hIDATx%˱
1@*4A630*Z?Ձ ̯gmΏh$ف`!~Ɛ?/x\pkтig8PRZ)t<nlV9M2%	    IENDB`                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              PNG

   
IHDR           Tg   gAMA  a   PLTE         1   tRNS @f   IDAT(U
0@s{>@v6$H㵉AaX
qy/gBԈE	F,3_($/~F܏p4p邃Sp`d0|TY
@$Jk/ZUPA#7ֵ~.e1bqR:ő,nFV<#LJ*iJ_N0pBeULfT10>,	?:ja!V    IENDB`                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     # Provided by vim (virtual) packages
vim-common binary: desktop-command-not-in-package vim [usr/share/applications/vim.desktop]

# Provided by vim (virtual) packages
vim-common binary: spare-manual-page
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          [_sȑ>|Y>䄤JNKdŲ2JnW[W 1a 33|o7
/v@wwWm^PS{tr{pB]__Fln:S篖\餯tċu:\ix?/_?<S|O)vfN8}_AVAt߼	}j~k~Mx˄u/Q^=>Гk
	%e˅¯2NԼ\,cu:aBMjH≝2XjUZ<N-~eh'g*ݵAMY,ω9qj5-X'&
ΎԢ]Vd+W3wI?WYTjj:}e
liUZ?쏿xJGƆIg;ݏULa7:CgE*,[ʗ}(V$̙0i;|+ɦӡ{zĩҎO1γ?ڹ

aE@'҅
?ω-gm$ t᠔El-+cA55x h{/f#73şx3z*
O)bm8#55{1!3N,I!
C+:YycWRT`3I^v1PTbZ	txA]`?`*5foHrqi}4(`CkyRHLtR(fכ"3G0z"*lg<G9zdlAe$W0L2<j	1$-lW|/	U$;*4m6j47Jn7j% I2c8蔥!؞bbṋ̃K22d:
VY>.b2,C־[9u !kx X,AU<=PqB ;./ÈwD#THHؐw:WNC!tJ%rxM&1A]ּ*b)JɽH2'ņE܇bZ`5v72vDr4{?
du]3	=xO,^ǎmpXހUȈ}$6	Iw7'
O鱷/4C~g|@7O8sgr#䟋{'VdL=!-vɐcrV2~כz)ԟXk}@=NwFE2dw$'>0+Jsݓ-/15 TPI[g>	x1M1cʔȫ7&Y'2
Z
z[
)?m¢LadVvB{"}>mpNu8	tzĹA'ֱk+ޏYAƎQHЋ$oC"` lX|cY3k'l~^%#x$CWgѕ vOg
h')ϑ3.<158lʤqdMA]lJ?ka#eypcNҞ៛(
YRo>r^D>%tRSm6c3P@Dqoɚ$j	̳wL*k`
:g5
BiYJ%L	`b
+(^ҭ[U
S-<%BCy($ؘd.t(HHx|XY2ʁ&\>>Бp}zEl̤uM#u)A lY	'QS)QƤZ!4M^6=bꍴ80zjQG(IpjEaV7(8pRH6t#$ĵim_ldE43<A`L;wAP(vL󐖎Y>W@QJ+֭?||wfTG(JQ%:w!	&gv8*weuC,f2Wv5'QO4N#iOgYor>#1OQm>98%&Kjh,}Rh.l]nנîjoƚ%Ƅc<x\{g_ڕ		gX[Z`#5<Y4+4*g::	sも<F"[ uBA_Ubiip?]@E[(yK`d1*(
QMÃ;<V"i6?rhǸҍ*(dK"[_aZ
6p'5.=߂ƏRF<"itZTfZ^oJXS1Z~N Efv  Fo)C
ٶx56brM@rGfgm9iD>M	TOؐR)>5ʧޑ!sBo|IR$ʆ_N_:~@E#{I!	Aer͊/~AԉiEb8a_|YtehlmoҮ.=xf%{=?{quqrzmk&
jukd]GVP
.)op HJ{rޒ!x!|D>7N	{}kPq-oǛ}q1pGxnI"z/OLzID,j@=e
={vV.b7uk?dr2FUNݚW}z硻.$J77䡭5zU3%ZDڃf,f'r̒dj1)زhE_p'W(Ȗs1/rРFKWcZiXB5_Bw@X9٠ $1[0&/esQsHnb
;G5=q3(X4w(68871FX`LrxuD5}5R>A4e |+K#@9+ 2Ek_x`Knp|egfAöE2CO1~-e4.-4_Xl%6=CF3:N"M6Om&iEC32O:o;EA.]UDg#|?tD6&SZաq(F`mcEi(g5}Dm&zڗ5wEy,ؒUcCi:godol5l+]
M(v,AQ7^IwnJ:6F,]25m -_[nFOjY[w/C_,wڵwoܰ4zfGh@,lzOu/0JlF"wb[:lzs0-3~54\Bd,B@FҴl;5xJ݇n :	\x-xKD@t(
LU$8)aݓfsYaߥPIo-h	 )+f!zFxwϼɏ"sYSȣcz<U!n(Bj;r1$̽Uxa8JiiUN{u>&tKn:vӕNb@$i0/KIr7&**j(hsQ;WRֲsOSƩet$B2 qHbJxz^u{r۝M{Nz,ڐ֎E({߆V!²
8E}h	J֡Yԧ@ǓDUoXq`tp\"@8q:w+Uf1PWM!(@ܰm]z!#۩O8
$74ϪR]hNzM7}DQ%NZ_	EXNio/ F[s2H"WM'0Pxi*Pzw]Sݘj5Z}7ȃ.h#>^+S@lmXJ`+z^gMt2}u\L2#\}Ьi<0pۼcJhEK
Gd>/g	뒲rZáFʻtX YK:9,yt@UMP\+x8a~WB%$Z/n2}yйf$M̫4+g>{Pp坆ыit]#PS_O@to"
#"4"6nvoK۸o&.d+nКqƬ;'_g~΁JQrGa߉#%c=.]ۂ-u/	e~Ag<j#<*mq4mR'HMAAhCPM_{7¡HrEP~QvI1{"ha<gM6N.R}.irk$POeKVa6	6lZ')'s3 xG:s7#2h\J)@_ۍC2p׏3p5-*îEhkHR<
kaJmXpHGy8|qO4ߢywk.y)`^<1UAس%%uNŜ⡒ R紻VJ2l lSg¨}o?
_E5L~xЊv@
`),%Z6ToܜYf{{7Z`zw?x~ylhX]z~o<)̇ხm[KIw!7_X<@M兝ӭ94<ks۬yqt6۾ۏ`i&P%(-|#<b-ӏM (Im\F/QѴմQe	MK~;NdNcuӌKn9Ii=ԖmFPAv Lޔn<_\ :ӷ;XhU$C4D'Dۋsˣ[:ް4[l;M
'7_==B|W\D(ra+cEUY"xű_4WF0M#	c\r[nUR9T@c.?#u~5CwSǴ-Nr6|;Tsۨl,hp)K̅d)mռǩO]Iᨌ6LJWfԠu%X|\ڈS~`\X_6є._Py1Fx)ug}eNΏ[*2/FfF+H&k'Rz)v]'4}|Sܾgm}h407}r}Y<                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         mTr0+v8t<!驷0)!2	96
H;~
|C&L/Zx\_F\]^:"avJTf,`19ZEE@hI:YH2@C!SXHEtm =>œXD++!<KU%*e?UDOO| ?`(<Y6$v>3HW! 9zϤ%Fb޺9H̢ԇ
]$n1z"Pgx>JÚJv~yDQcΣebғ 	Kh\Pdu|f)'48T(M{
 A1g"x!v,T9y<}Gˠ>KJ`X~:-.+%}&gi]vJ4sf%Xf:AQA!2=bgJ5MмquP[2^Շ<-O|PҰ%=V5duJmgDtD[^	J
iαB$M_㴫rl=]dމiZFb-Ћ/b1,@gы*'44S]
B7	Wr6-#xߢIf>=hٖUIŅd0K2I'޼KٰG\W)_w-r-"A=m                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  [rIrS`+ 
^
JĐH$Emp0h t]E{3\>͉x}OUu5 jsrD2Bo7yj+:SrX9SFI&rT.OzLSYJڢ.Ǌ<_fcddb&(+JyR8_gMoo>~Gd^֓ʪ ~E60Z݉&Z5RT'F.^XE)?ޑR_ӷîdQjґJynaw0UQR)YV*g@BFNpF~zQ(h@˿ak*y̾wG*T9`7on֪e_ڊyTF+ʈR9kHO_
QӶPrαI=]>"He5=9(<1F\rDUr	R+ӑu._V
Le7)
?R 
fSuqJT1uU_	1g
H-aY57q;w;gꓙYSxO~?*}&@S`oTjߛ*v_(S5;0pG;TS{;$9 35Jj:{
4']&iJ<
|A=3PS Uȅxkyh&%:7ל=uYǹ$We^\`_3/'R9IX˾RYbfJzN"ܭ?^Oo/񫣁3Fñ(8$bWY6H'́ߋkr
'L
:$F4^B3x=g#U`9ngO2-T7Qp8yyG:jd^.@N؂m'ȇZoi<H~xɌ
4<	]W(:|c=L+8||¯޴!faU`ⶆ3p5<~Zĥ`hz|`)+nA2QW5m62{l(&Tx;="-ƍh5a	ic@AA7+0.zPG
zPWX7ii
U+)ՒBEfYxImUB 3i3a,Tఒ ~*qO)H/1ShZ_/@:Nِ>zs#)1hr4Kf^zՏ%H-cVLAMѢ@lyrZDy΀q0 ӻbL]b(X Q!
.z;]A(Ue1iv0ZDcӔT^M`X\1SSA V aaF^ߡuSz	-ܱZExpb>kZGK.AZGI1-uo=w^:m*th.#|ʲ(?
z>'tg'էzVj7(˻*%?=K^O\d'	d뱹<:Ev҅}\J:HAM6+U2S#HLܥP[rQ
Gblseﾘj@#ԬC| s"5V6+uѠ/8}ZrVzK'$5k_jPDE]FsqZC{&Ş]h/ C8
 cADEq rI 5잁@`<
1+I EmSSBba8
`1:{ϞlsO,\O	6eN&6WDI#IHsiJ	
H]Br!L;E O]M	p
H*	;)ߣRSA+ZkѲ6	BQ)icKCFԖiRPkP6?64ࣰ()07J5
밐G"E^,8?0̀!~wZC,&Fvo!q_`[Pls>HVhD5! @BH ٤>p 0?~;ωu _ORʸE,HΞ8vL2?}t,'fƝr.)mr8}H(	i_ArI)f/k*7:}K
5d,уD2C-Uv@C!ށHMoL;@g>@i>(!&MH&sR+TL0?(:X)>
m:v=i䝂:ǃ67r,jz.aREf˔QH j/h'Yb%aPԥ&M*L8{>r8M2JlmQƇt!n+L	ctMcȯ,DRY
Q
ĪpKUCdc
 wg{';yذ D}{~@\/@fH1PhE\e`̩c|ngAh+eRd5
0t6lrm>>ehE?SĘ'S P%v!J  IhUi)WRCQgl+6t46An@-x&1Þ\w#]R}6S%#'E'Kmvm$E@V<\&V]Fb},>n|S}~E	+K*,g1bAcOf=xF̩ ~Bd1A\K(ŨUjYDN^8<,7
WOR!۩+חF;ؾ=FQy~SqYI5ec2g1Gk][ՏK3w<pp3/oz
Z9~LBEX]rK:4X:T֟o#3CK k3:mb.ѵTn)E9s#Aُ^ev}¤r|-w5){ ^Lzi/ٰ<OHJ=KLM>LG~>mMtVk=p
Lt+%xpXg"Y (r?<s#&~P!t_yz4=^B[vvū74
m(7ۖn&)#aW1ٵ<(<,h7cQ.ᵆ5K0Q,}w9{f['#dq 
\4ҽȼf hN!!شXI5Nf%%Ba-<,!sybdD2מ`3je-@Ϣ	있|&OqxY<S|̆#~?̂#
qpW;/b{$#q܍99\S` ̡`CĐK1"_Au9v+h+b8`>
N(A9<UD-_S8#ZއA|
r/ۯ-NcAw˔hR{l,ꉚh3m窪^j#A
|?GBwd76Z=2-#hcYL<@zk L7e@ZY1xGhߝ~
=D*}0vEM%7҈(QSX~mf(-7;#o}oCh喍H!NU2)L<1f"(vQpiQC_at|avŶg΍rY`ǧ愱;#k׷
)p]]^/Vh;f
AX.+{qEvFJX6)ʂG.l}&F|qLKS}'.e5ѸhBr7G3/X"<	+PF[Gtӳ68IW"L$-@}*+Q_QcY:poYsm'*XXi
#À/\X4-pT:J?"+g`p²ҋE<
%=L0!T4:8ѕ1$HǃB_.>EZ|p=;??&
eBrcIS*y[@&ojRQs:Ɯ8D*Z jT'=c+ DV>rdOrt}llpG[ZJP\Yň{2&Ay Xouna	xvh<T!|3|V~O
@HD|7"V~x~'q$_ͦ8.axmkr>탒X;Fɨ_n4u~umrf5f6}JM%bw!r
$u,NF?OJ8!XlwF9X-@^@^ҵaҰ(('Y|^~D{xK|EqmMuqMԯ|cZki-p|')S]؜+mX#D[2JZ,^0ᖧi,$@ͽnyw|!ge^s L~Ds8쮢|];r&/eh|.j+9
QgA6TsLеg,+к.UMRVӾ!W?!@l'ଟ;4P81ܓin$8`-B
ƷLY&\8OmaFUPA!>-dH2\>VF@L7:e8-vQ{x5
ގtBbH^{z$(Is3U,\nG<8o3Cӈ8X?gm7 @e4n7#-"3ͪ8)mIE<X5e):`q
y'X/]j*g~*G$1wE
q	]Lb0%8y^5E,5~K}ASFDUKw-1ަ7.,1Cg)(5qj0*`~C r>e3!wFkɐ "RpAAJC|l@X:HfU13 ^_x|+QhLᦶ`v9%wIixćOۧCWo|I^N3\W͢ ?)ii$؝ƣhc
o:Nf68 \š}mzg2_!2}!hӊ41t8ocFܨ9u5h%[88
2t.n3jbC&[ˮäjCԥz'9xn)by
2+
F'z(`jA	2d ,}Nawk#BC<Snnu2x.S; JWdwֿT#8hm	ۈM*])<<,t(T<E[[azCI΋ߖ	EՕB:C_Y@?8{` S#srO28	"S\aCHfҟnrM^!I_>(<9)+Bѷ?RJŴµUӦ}Vlsa
4ZmʵM$ߟ~ֿNeߊG-#
;ZPԤ$D"*֋Ǹ]ʯȥ=5fU=;;yk_⩓ZQj 8?@.:q
e
|/?i3bRSjGtM0U!<^wtnI6!JO
 p>(f7h/yhyt.OnX
N[h}.Xweӣ\Ql=gBt
S"N䰸5R
 ('{
QsBeZ*2m#s=7	Ceeaj(nn G[(kU2^GhZvt6Oƺ#Ĵ]9'AJD"(1J ANgɁ!rXkn))-{8"VdbS;}`2!AX?	h# 

A_vgYp4lY\Arg'eߦ^c\hQӡB_eT#Cj(quI&5O>!lyW
)`m%߃(H
  #[t
]
97RYX774%[!mzz*MG{1 B
!VP~Ys
ܖp4N@]#fm8;v
waOEqfqɉ"p4$&r3q7SpU{[gn䴦Xo@hgHJ
,lSK=[~Q,̶%E<*4W\4$AξtBU0}=6!m/Ā_$h3nV70#UIk޿kG                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       \KsGr>Ei.
Z  X FO͠ĞaW7 
_/ Gco;_fVUWHH#tuVVV>|җu^g6oLU-FʪpggGͳZ2i/m[zɿ}>6YVJl=5V껪X"SMQϮX}Qde~<ZtRo;_vKҼn:Euϧ3vxۭIzD8|ÇjqT!=QϞ&Wf^nF>Օvl-l5jNLf3<ٿ?;9;<KHZ7՜`UL b0Mo/yue5wx6uM,aZtkS""Uj^^NOӓXmrj^٬ZYc.Laŭl1$9(Ps]tC!Wrhf9P͛v&M iLfcgflN{5Blmw6eq;~Y. ^lq[XElN+IATVmϕ͋U+7#5⧦9ɰHڢ1B.ʾ)T}5LK
|βrGqұ5NG@93.~},خmɖF)Oѥ.xoc3M3ŭm!ވ/nk]tGePO!{}['}59.*Q,Yk.
<hA\,jB8Y8Z2Rz9/"w;Xwup<>Ptc"sp[W8Z-,Jigyg8a@nǭ6m	Qf_(ގ){ԑMalm/83qBPT4Z6!D3qc&m#Dﴬ{VW5h.+ͪ
ƍ^Vƚ:UYp[Nz0g9IT;{jXtq;yPFy*h%rF~;3$^2/2mYO0yowmxt{xkζ^x:i\Ed:L!IfvY!$%lH/
^n0N"Y >lwqcr3UG3O K(Z2}=o
~hI=FtUI>9qҨ>^Yx
	K4K!C#pqP􆌲iր)u~I)F/iS%c
֪]|P*7$eBP27sg
p)
 {ꟅW<gH/TԘMvRȚ%nd@ܒ8IJaZ=[3b9Ԣu{ǡɦ/dl5f;'}Wq+kjM걹LcZ&iWjy.fBuu%@s$ۆqWVCZPmvot-"U4`SMk}܉xs&y9p	*9;ܿ$Hs>cÝ]{#Db5iaAgf6!NgdbAY3a" 箨ͲL,!c-Mrq;#vì>V;e\0F[3:U/ 1h163%(1x$p?dC(4Ne~TbM׋V;&vS%.X]~t:o6->8>(DFA9[f"-LY$t\#iP#\"E!	av$[K8t[8:K(;GFFYC̄谔1U58!"i0GeQxK<S6oS_7u;̨%O)ٷ@YpB nYV|{I7QOΪLL8!f0Vg/#.B-C ,|Dǆu\E?oz	
"\7zDxkJXŗo"z'`daWbpkme085ݘ@`DU<W#&S|j	÷x4q־n@v"k|: sND3p?S{Cӯ)l0?(]"];O
RD/,nyg3r# Y؇lKv	S!,}LƱd9C>%72JQh_|jQ&{K6$Nw!9r2*>.UKA\V{ޚ2Rr/Ji(".PہE$!wqVbaaku|
%rеJ*(EM)@.0
i"yJ~P%:Cከu$
I<.Bd`>*q1۫;_BW)}V .S)~X/!M;469*u
'\W>ռ}M;'p`I>nmitm
y {HqgrDVl<V
ε_s*+l)ѥ9^Hmpg;ۿ~N}HꢚBRuB3U 6X,0pKFrp3r'F;s8?	V(.n$Zd('1U]-&9"ljqUi]xBfPcg]dԃjBG#
Gg!R('J#w_Cw++/8Cp:`%xz?
zY;&f|񨝧d/$OPWW8.׹ BK{|zǧ'&} -1ŉ,iamM'0+js%6<|4+$uE"ۑ)r֞ 	.}b<7T+@]WTA(Jo~'j_>9?:x|v0Qs=չWF5z!	(*rk{(m@hIW[!jKGk)+:ڃ~aACb'r#z IwP\Nr?$ٻ$0^V׳/Yr8#GmA2nn~>E5r\cWyT礀;ir<ȫd1i \؟4te#_cʩ7
jm[ݙWڭ*F*-wVG	۸?kjICx={?ʭ<k/(Iuz^_֬2
HHP H6TrNx"uP:Sy_:	?^(h,)`wYl>q:*nn.!,Tm/W|-^uXp0t']_qs|c|3*A#ڂ	RKo'w\`'):UhxFJW&"HHʞ+]fQl$mU{܇sýNDj:We.NS̸+55fN.?
l^֌T.
Q!aT*BF݃Gן@a!a5 4\m\Q66W:vʪZpG T퀟E͌aEAhQؔj~'Zq[9bhߨ][y5oǕܘX>Ʒ	eHxkPp>N&'%1ӑ	Br3
 &"Q(>kJbM0V*!B^9
2#U$^5z+ 4MU@ʳGe7e|1|F%'
YOWo[{+9	v9|w5eDm1!( ɂ߹zWC_iH	FFn< 7F,CV}i;mU6YBv @)ʬ	˳9-ʓ|EnT7Tɑ%"{ſw2P#ܑ^rY/PjqCL,mL6HS=B@:	vĺ/,$Q?Âd%k0Y2I-H, /ȳxSSU\LJ-q@F> d]1ϧK] 6jP΍8q0Tv9TԯSRq; dR4kkX3.U_{w|$ J{' 0IX^]':lFcӌ=S11('{g !>8fZV\;[d4UhoK3}箻5U42[nb0LNLCv}ȵL
2L!ԾͭLRSf>8,b0bBOMdo	Z5'PC!`o9udUMϓBA0{&CXU/Ț|[bkqS<C$U+6rW|;&zuHPvF(N늷 t~%pں~L辉gC2.Y.Px3Nzmcr9
IL2帺Vm3ڦ#I#TJ|iyArA'
Ij͐7re*p
Vq.ryG%֟Ia_.ksGFݛQ65%$}&5kDe*l6/LnNQWN"&7ؕO(В	B/&IFd7^*,dM
9'/}=;_5&ҽ'&sb.u3{G
H# Cd}mBzAbiҫ6OLXзP_zaɿADүwФԱ	?piCgP+Iܕu
-k'bvLCKxג&]R~;'#
h&^;o[8z<DK?'<C#p=9 1M4M?	cRSyzM2R	]8ZnGVtcfn_wmWWdʗͫ81Ąp'Οz%C:Nvy.lO>duΞJ}!Ɇn4nNW*^8(Neir
<Hi?.@c־B_zX!%l\R7M*>*嚜kgC􌿢=e"M.pHA)z4U
z&G՚}TtsxKdn
u
#>(
pLl޶zI66
꽜p[no,|ENvY	Na+i.2ބݟWRPaDEMp9>&a#F{dÄZC%Myٻ*=~1%n}N~MG;WC8#q6<IWG.ǳU+Wu%j~Giʝ@#JF%Z-4ew񑙔V	+klvQM[+_݄< *WpU^bf<#=\hK
Ov`?jk4%kk
 ^O*ۜK*YR2C8\~HRx8O]65%84xvxv@xC6F<??x~JY{5`3EӪͲz>}%I׆Fz[@ҶZR?L-18k1"e~9:JΫڥ3/Tm<F݄xW .TBĭHq'MVJ(Kم]B9#v-3 B!+ͳ_ebC7,}rUC}nZl31ԅB"_軵10>%\҇HDj[q\=!b7evL
D\-:9)4kʞv1H)\L̟pq$1b#xIECS E[Kd׵Sw70zyu=KZ3t>&ZF#kE	}\VԱ2K#dpb3GWl1`0&(Gy/eh$C=vI[OBfcF]caDG                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ]UnH)J\<#V$$A
AɡPv?L2}	Vm0&j+ap>JXh<H
-P|tOAxZ=HhE4QZ(<`'U	J*JKk[,׳umm]BW7fj=c-z=]͖=t[Es$Vvk8<
$Ə}a%ӽx
S:H[N@mMMR7pʷAj6z\pF{]pn-*%u*r25:"<2K 'F|/NVT/ej~U'QY4rJA1
a-TAԥ0UPis,S1rp[5	>f;+}Tû]6Q T6M=l̃AȻOĝؤhל$)ͳ:d'-\-s|?***hŕҚ`'%B1
wrbsju=;57*T*NZ-ӗ	'7N@CQײ8}6ur+N@kaر&!E{DZ:+aInhn(`	߆&BR	{}@s}j2	Kllh^޽l-f`K[X|bHj%9|RТU-ݫdۑ{Fa1[f%rzb[+&OFNOwk`Ҋ
(g=Kr,T[CGyM`HϽT5V̻AdK~uqw*},A*yy+,nOٶRfQG$KƓ!qWB%TSѯd5&_v@Qw|Nk
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                [KoIr>~EN_i6)kzJ$b)#R$ɪj1G7EDfVf06|U/5|^<S53WW^[?eӋli.^T켴MTW)SyUX՚6^ͽ^,L$^lP\;ffKwݽVz~_O{U_dnDAO?Ï>:G^>y~vLO^ᅗQV&	kruk&ʨȗޚ`4;2Mc[@,c/.X2[RZ,mpi&AydU*Pǳ<MM5:N-ui'VDf3쒞
S}ƨVn5
޶_~v' TjU#ALJ2KNUn!ǞkS֙dD54h%<s`m /i$*g};b9A-0,]:bxDl[2iZ{%p%	v%Ѵfd6\Eg܁Q.RjIO^^>WNOΎ:ҋ,j؁][-]&LHggZ@ 7?s~o.oق'1'LN~^PRӐNT9Vʤ4prPeH[VZPZ)kʹʒ8mUP5.fA5Io0E)B,
@YuivRv_:F/*[
y/R0
ZDJ6ʔL%|CCVú,	nJvIv5Xz.JKRc*Mr20,7pL'ri#~)ݟIq6S-l5Ro
12N*`% 2tYqnI8Qp{DҎD"M,GL4Wboûu>!}<{xQ0鯬5sP-;Ӽc17"7Y礰kFP".<q%(ԏ;P8^/sl
#w(^<
"фr8ӮMXltl<jaiQ<׆%eAWEh%VcxSf5ay! Cg
3#|.MrngD̶8~Ƽ/9ُ5JslMJ T1-u	{,ڨ1S"cSeZ%ckGcXPFW_$xD)E-{ݨ|	MMۥ[Dy5Z_H3~$10ĤAD|{ Y*f		;, i3tFl#^Ч0Wb!t0{!$XΜ_lEHCO:c:WTϙTHhi+䜞(T"ccNX6A׮b`ڹz
켾zJEvS!j
铗'klYu3ͶuX{U疰j7'$a(c@Pe{&s+??H~"IL7%Q#=mC
e]!({_16Hq
/fbz#wBn;k:@dFcnndB s`v*OmONL "u`em=ZCRKP2ߣSu;Han&l$4F?RU*cJV^d֬+ڂsԮP]ˍ>~|YIFF43k_FCn!V9@3J$X0ڋ=_$ӯ!𧩑BKӫf^v.Uf;G<4
vES$-4ɉXw@51-^!4"\Es	B
{?#Ś'r>b[:ɢ
f"k[	m2b2gZ"rv>7vti]%&ow|aA9GAShvzb
%H\֛|o!fgbsFYjF48yvH59J5&=u{pph!KV'=
[Ft5aJu(kWKOjm_ G[
]þI"Urew@!
S=sptݻ-.cL-!>^	{w<ſ2՜n$Bz[]"HHYN"J)f4!H##ҩXTU+*c^kR1Wk\IU<([OYQ6PY M{<崺Mp )Y3y2klnFc_ pE5j6pr
Rّ4ixRqt KO _؆b` `-CHEX8yA*p2؂dqy?Qvd:hw5VฆgE|5}){	!YpUkXMmqjDOB	2sk'ޏJ˭F,;Vcܻ*CX\ E9-{r)8
v<LSmݳnGσ:D z՛0
DLx
ҩ 	"\͔BI6aD^4#EܠX9xopX{J<)܅w7gc4-֏&YGzy-$'ZƴV*M04V!ң[CvW1yHݝ&O[=/N<<=~|G15goUۦj!V3DN48
SrB*^R 	m4qf6btaMBG7
0B	kL/#g) n$8>>*`ETq'|
͵Y6ǵPWꗰe@=U%ux2ot*DZ5k4mPG;(
KYyF b
N~PF0J<Irk&Y*jHl]K-qA$rD-3V
R)IF.~grY3W#E+QLO	HjJg
ZrU@ϒR(,VNl+5ntWԜkNZMJEҕircL ҇WAA%'[JWI+2UD?RP$rIKRg^,;QxC
C:0I&wfڇFW
T~,\ޑ{
W|ƽ9{Gު3,27x*qXHay~$I?BP!$_dw-	%WAW!ya>YK%}6JRuF$)aOmwr8&JW52
ApH2]jp!]F7ߍ'O1*'ŢJ,EisoJ',	¢mnԯOSn-sBm
X-8j>QppH+ V^,;GEҎc#[
JUWz (ru(c!9!ҊѴ7É9i7˩C`j\g3ZErS+MkI`[}NcR,g럤씊smvA3EK69MlqA~7`BT/݀
͋M16f'W>c/VQJS*j|EJJ vq@BjgR%aW2UށX+乻BJ?k&8TB"$LFKshDf;>lirZj3,fjhڢ B`o#cH+w}܏n3lX>1HͤwW1rMj$=^
wՈ^,݈/էWD9C2~]Wnvo	6`]7JW_#$jA c
})|NuRՔ9q1wnX2s\noTXz?g
)+{gabA~O3$ot]9{>}p#%ow`1O_եkb_qqa9  0$82Q,K~{<@^4(i2L'.B$V y0[gP6VKÂv*QI2@z+u<ViEj\[4+&h b#{0Eˤ%BE44μӾ,G\v4*6w#ChHDqcJ65+9[p,:ZDπ%TɡvknQ_.bt 0fj6A>CeTz»I_;-Bg#Goa<Ln4	gIpŗ_W`܄[2r= ƣayq"ǷڍW*ir^zt234J,rT)KwP.@>Mȧ#	QIy@bH2#fK40PHB0e^TLy:E9n9$}[2&ɉ@b&N FE~8<6,Pzu,e@ʖ]6;i6\3#LlGIT}]x)-MDwoN02?9نagw/1a<n<4B}"#0V:zP]U6: 7#t&|݅%:.<	vϦ,[|
#<וmN=i>ߍs+<BȣvcJ˸Se+]?.dSad#>I ͸׏$Y&wq*P{2t5
&d˥+lӷGqM"ue;a|Q4ӛ>ݛxū0-^M4N4@-em2G0W]/(+f *s }=:%7X!ukq=h{oO ;FEq
ݥE\Lx@Fk_A>sBnnA>>6Vgש	?0x4:(RFL[NR5#ᴛ901΅;y&&uu{cy0||I%;	M\(YZ~ ojmW*)e+ݫn
e#~۾TAC:C#X[ݺ!N6+L@bE1b4$NoX6q]lH!\YX=[7b%CK.}zɑqB5,4M-xk)|#ym냽_ٙ:>:~q=/߹Ob9BD$':
I"E^/H;<D&V>.tl a[]FEK9d큺^5$tuX40'S[S?j%b
}L*4)]`lEeuJeeI
;oa쏄ӓܻ+-r1fA0
__?
P7~Tz^aW<pj dۙ|Frj2p$6/BSj
0LG]6qw\̢!Tָr
߰Y58gxeWTvF\;cS%Wؙ9 7>#DCA:i?mG<A                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   UTn@+l 2a٩!lɰl]ɓ
/gLЏeՐ=fgfg=,ooaTggd;OFfEUI9B
C+[⚠$jPp
3vhƺdEkMtÛ
5+7k}x<W}]&{|K-EMd<ҽvjZnWLcJ>%d!z%(Q!k-vE,+)`AGR9[d}8Z30PN96V{̖L<~J.Thwej7(:2!|ɡE]̀hՅ.}k5p]串TRnCػ(Y<6ؔAu`{{+ICeIA4m ނٕ
K.y:XcJ[2 b58m[hc*t5vχخihHR:	R_`UQE6qԢ<X0Sd2䝦XR'1}<D^"}ZNQ'8p"+ŕ$zZMš$̣抴}^B^H rK}I:NjOF7\7I6id:VOnE\Qz
.<Vl#UM?l(MPmi]%6m3mjC                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     \SWW0YlRS$M<IR[h 1&CyKjaC?`b;aiuK/s"۲s=yOypyC)r1uwښVKve|頖NgbiM3̕ioimxj'8gQ:hJǻN|ԓT[dJ::
={ިBQ5-tKăuw:,>x/|I_SROibҽֶ~_prpߞYn&3aͬAGlsƸ3s[b1xf_xf#
X_Y1:oJf6=5:P&M~u)yw00<[2s3t~mbI:iܺe]~eOLs\/i~O랟w|Ϛc1eݶ޼ma>N|'0/KTvkOWr_%3ϑR=gO>s[x6/HznwY2st3uT'yj~]Vkƨ@#)p_gU^=.T`ilЙ(@'_ٛe[8~SHniYHܱx,KګԬ"'t<3
μiL2=rE23}6WWr縇UkuC7_<@͑$+WM)\A]m+)#t˸ $0~esܽ$u\D_PS([\٭rLl%0qO%<IvyEzcG8~'0LtGe*s~\ibRbHcܯQ4D|

g.5hpnژ½LF')=	:WĺۻQMK
uB^E`κ'c"^5SKFil χGY2Fw4^o*	^ޣ.[4*=!:2&r^AoZO0Zt\xR)t@~R}jM=g2;d{7f[!{VֶEs-ȫ1!psdr2Qw(5w~	,XSAeg
LqqvFq1eh%H莺遁x'sgC9B0]l)	"fʶbP"^+<-W<DhAZa- >PZՊH4@7N)&@bΙr{J !`cObOͰǺ Zx	C_~GvJ&]M^?=cd,^Q8gV&]LejߥK-n<
 Qb" 
qAYƙɟ[Sy)j:q
'ͮC.ټ;U=w\%F8cx"ǉkT/6ލӕ
OŻ~ȃ8_~1A!.3!yDrzFĀ< >H*#7F',&eF+{.l|`6zSxShg:o7WhOqsBu8}hg=c
-g`#FQ}ml3DT{hRٟ KNnP<qT	$xk	g\_
oA4P&1D8 ݃3@861BϷ;GFtJ.Dip)d=&]M!%=
z /2j\KutUK5_p&3	~ .U;حM"gLkO-Ѹx$$,Sb8AbL#Y?
򃴺v@T+S]v#3N2ԑ
ēf.uzO;@G9SL,pD?dd;%G8Ii	BhYgZwHKw{q ,NzY
B8D($өX(DLEOh { Z.ótILKYv沔uGhq@!Ҡ%PcnW@B,o}XY޲YyG|&`W W({VTb-p[qPOo|C'imk+<獴0van8:u:0&WF`,`ʻۯ( nIHI9{E'J2Ko+*vm|͆2Sx\Z
-5+qc6H:${=2Q}̂u1zK2*u g3{u;%LS$>OAES7g58j苠Q1e[Ϸqao,H\PȜZ|@QڱWJC$Bb0T0Q=$Nu]8sr\ߝuWҖ.S}5l@-њy9y^Xc1:jqb@@}]W?PXE:1N~59mիeo=d%0^fwKPx.؎@́@EY6ÑE0cҾf4H `8j)w![L4)YǷU I8".EFr|~W.q.QEnJTjZ[
F{%͹^͸^ߐ굁`EKU'e)\=uSBܡ]M-C	;$~?xSe#S4󟈿, Ҳ0c',."w\GĲ<tB\{	%>4dfxq@I<!ӗ뉾hqpgK޴5~Sk_IbXKꪻlXL.bd=;
'FS[AN)L~FoGü\]7JD)RBtQv8)傐ý>y!/҈F7|QCRS]G{gWCfS;셠 ^ߔr󬊃M%٭Fn˺0:W!X{{h{Գ0XIVrk'k$(Su2s愴}M=~ŋA|s!CK+EUW20d\>
}SKo.~\kaﾴ_Қn]l~o ,NavDjLȨ.8aǒiGYzaxO:y> [0ْILTQýޯ/s(x<v
x5\ I_GW \C:ս
zHA_EzC8dE>m2fo9-
/ u
ϲG?aoYk*(xf
n#eLhrTx:/x~yXLw
X2[<CKm48(MMSMS
irSQkD@LmH4%˄\0傅D!$䠞LT܏+4ߍ";M<O6M@˛zYD| (Dam-i+
LԤWD^
w`08WEr8a"WDdY0[{ke2
7M<Tޢ.bOt
-FgK2*ፍZRNiɰ}CGz?ZKPe(c"l0aks~-sƶH\x:o'FfY3{YK!8g}71'`%SI=O5M/H`p)f:tf{mk?>%ہYMK |}uF@i:
QIvN[3,Su%(^!ſS}Yw5kP!9c]=x2@!"{"(o'3v=hs@8!NWm$ SwŐrH
js{Z)NvrDa+CA}gZU
!yk0#lQ0'RGUhfxb=T9y˝
%T&A&h|_X|;f GD04`%Ht#A*!$2OV+pn_Y5џL\kz*Q{zZkF|ZS6oHw=N)U/L={7/>_Ptܘ?ٞd7sDSȎNMDROAPSSH+}Q܄'&ҷ|# |V-#=Dr3WgE,,?>5їF+٣|x?lv|L#2`nA|@iF㰾i _I
Jh"fKcI}`v`\JNY|J^'Yi WP.MP<pMN4u 
kJzNy.H^o˗jT/m1dFC%P>i`O};҅U8fsWw1qveDfTȜN$>B$tٜiH)]*4:^@i#x	JdDJj&z? dT(p4D8%6}3*oͤ@HO:_![NS!z {?|ϠI3yCDׅK{*VcO'zXf~_DM3sO<[pr@7]0q{95}hPO~o1F$Z ;M7ˊ,t&XT@M[cmK~p%T8l]@ԶN-Buv\eqȜJ={ൂ_{B{<wˑ<وW{?}"Y\A^OT;د|\qY.v#>Ŕ JIk]JJ-t[ejKR@yÁ7O77Rz:
ÑYinvwJPF5*5s=Do`$xvłN:6xfC%+i$Upݣbn'BWMX{_9i7xflZŮcYɵRq`
d=d08'죢7!N#7&Ɔ9='%`Ñ +a ^婂;
7o\-#)-2ԫiMg+}],.߯)D_QX*BspAPmH|	/P,M.N(:Z-MQғ 1nY_A-ҩfK9RH]kAėd	OL䆕D
}է]t=O}HOk˵ײd;D_6K;]->@>MiC?'#h7ZUN/T-$460֯uHQ2	e`(ȤS
NGS3>FF%9HJ&(^\c_Sdn)7	ЋJ+s%+C=ӽxØE9YbtbÞMoه| ܫfK̓aojt,FGSK>I
t(y0B(&m[Te
Ag+ȥP                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 TKSAﯘBr򑇕2zbU/#UZh+3Db>(ĸX8/ҽz\oAC=d̐nz3DD"."q?OO.KD8i{kI2ev:	F
xrEU+bf
FgQ>kk*s~uv~LKq<3<K(Qg=f<}HifffJ'-q#g\+s-{$ Ӯ
Yj&֛" ]Kp킳S
 7+دE.gm&[&#ƌor
@EԤ-Sn1òQ9}z/֘{n+ֲ`Zd%v^E$Vջar˾FeAKIb}G:q"/'QgUY_(6GfX۝Bs
svƵ|v*)lZ yOH
^$Nj-̨{( AnaY)g	R0e
zp+H83P \z,\kvd ;~}
|πZz "YO%p=@^AA3Жd'qVnz[F[.=\y{^p剶{AFduE7
3Ժ
8Ǻ0M~kj5rɈ|nw.[5Dm[uwZXM7gԪq'Z                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     XmSH_\"lrEKWIpjK#[" r{zbTA4=OĴ4U
;"h-#
%]Z,vG"#:^.0	$GݖiJDH]JR)U G|'LW"!@~VD8:ѭ$GD<dfPH%d>ѫW-XVJnd!)ELOcˌ<JZ5d}e>ސ$,FQ2%(G]+Wz~_g*uf{^n PkF0
p-"T,%i7h)
9~c%xNF,?T"߁I}W]3K*wzKmFRJ/N%poRU %`Bآ4j1Ui*V­64%R;{{eib=Ӻ1ѳz{n"$R݂nD@Jp$~Buc^g+<-FqaL X.pZ
7l
in׫
n~2Vߖ);25 ISUSa44dT"nr9"!U"fGqB^GJƨR]fh꘱SN|fC)F-xqV9- 
2){#tqfq\vEj*F\^th#vye2m H+4hJH(kTNO?dw.OK8O3T]E$i,c4T$W|
!t
O/CB1&!U|p+V{87v9aRzN݃`r;HgdnkM3o:m
jBFܯmeS[9@X'']8:OYsniտ	[g9¥CE/~wtCapLӟ
%;ȹ)*hX=ޠ֚Terw-LG;nQ4nUވ͂~rQϋd%uXBgmb9+:6~\/:̻=:;#o#َgجHvkļj.~k.{c.pw66;[']}Qn!
CkзGx59|Wf5_N41Tu::t@7GR>Cw &Λr0JPqFcv4ߣ+Rn}]igF6ڕ<J0e+{jPהZqo@a{CC1jvڣJ70V̖j+4wfBMVپ5d6r:@ް!ɊւeyXj<FWBjN$>(XҸ{gu8qV(WM]7Z>}^4mn:f(4u٪C ՘AκVIN IxrxHK٭fs)ELFF,O-YHId΀X%2^jʛٖq
Ȝ_M]{'?b~%SԾ8{3rzAj=yh8go:{a_*qYqQWw<̿{xZr`8wvs੩w[Zf
0nŠDwb
&ҏU7v{YEboڭJ`{a'R!gs]b(vG&?&OHqz̧.Ά5	:ʐ_QϬ&s1WW&9pʙp6iGJf$	^ٴ?
^L[`M]Xag֒ߠm<pT,E15^ab~#𶄐u*B<L}Mz0 NKg//.Q?Rp!-1]EIGs&_@-W}R8RB+GZf[YS 5NyگNQOlv9_N߽W_?ތ%S[Щ\O*8U|]kUJ$(_'n2sRkUoJF> 2<(܌u3Y\>:Tl't}I8.פ.S1H4@                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   [ms8|~#lUkoNةXIvg2u5Er Ҳ6o !Y!F_nKzzlrR]>J}<Tﭺ|ݺΔcpz2nUg;eJ5M6g
Hd4mg~ʨ?~y:/ƹ!qMh)f^|a<0(']<'ao^^^_0zPQ-ui߮+*U;;Et
Ld*tfFޔ*]U0Ҷ&4ߚ 
N7iE$?!}LGUMMuaV@l.rV}YU;S.qO Huf|n+;}vq}+Ud"Xzeh>Qjiv{{])o*S{IvcOpiZع
.[a2
agP(T7*
u
A7KuyؖkV"T;~%eILWW7HZ"05ȼMv]jʃ :9Rd*̈οk
0qh){(#a⎯VwR-pebkVKY:PYFf]`fm@M߅7mxN&b4pu(w3'7OT!!8ƔymXoU;0f.KP
[Ed00MOF0
*GXTmޣEM1`H2IRb)LiF?椦TD3ͥ%D3)l2˦JTDnXt9vQ>[EA4Xh䘂`H:
Щ4x$#(y4U ^xʖo p(3Ev>;3!7s%<@,F1B
eYAU󾦀me68l"̪1"Ћ0u:8unC3e
.($b/Plk텽W4aۓȂx)4 ߕC۠!LlVPn(eAiE_)&qNI+c\?1&fIv;XR?U*N<8Q+ijnsgfk,/F=y@lS#ƀ.	n':H<FG[׍[*Wk
 
5`[}6EK"(]Mzҕ]r
?̢G`mEvh2M
F\0ïk`/k`(]'~^TϮWڬ=B~KR,wB<`l-a1d'Y|ٱkH|;<s`D<${X1G$yKb ׄoH5JX;C:5	7sD
D4_ldHVgA
qf'~Wf$8`I~
 azNz,{'(%>@I`sGAo+o+(BӶC"'1ϒ9
5<EaCvYR#7
&t5L C`CaS ĭƢ0ɪd㠄񬮲qi`<YP`E=^csE<Tk^ LC^hE>d	uʣ_QsPs񍊛
d1t qor&#<hȈ A#ҫo`	#4:n-xdX
<$,ZPoX7,3HǴ2H!r43#aBr9ߠSPJQX;gg'Vﰠ>:r~lfv%TJ$-`eA,0
,e	tu	~(ѰzChAzAca=<ªg3[cAΙT!41 bɃҷsi>ft{gxYv{) a
pK'rf+4t/VF5T\k9ju
SBukBGwIx$Y$iQML@sÁ ~ U8i!Fѡkn\ʩJ
,ˑΓx|GOtks3Fex"u h_ζ] lX߉9W$ֈ+tG+nq~7MT瘊5=B^Nxk1oiwKiHp|BlMR$--،@4
V{Ps$Z.&tsGs(PR	 $ɶReNKO~31G9nPU/f>}q7|4zoa('Qy0o5o{VI;Dt<Qfq.-uc%uIR%HFMS^>/^N__L)43> RcX_U z|nane{c<S	EwDԫp[u~,w
{n2&20U$ch[<d*$&[0xs2˯c~P" C]xXm(MUPxb9উcn nM,t@oPQIR:+?  k1['#o5%ZՖ4\kxp8J$xi `&\簁(M°+c4ijnTx90,3\2! i
*m8}z6[l9NC }	(;Wlvi.3 j1{N]~%w^5myda|_'39xx5|j7S o]+=3Fl
O0	*nfկH!#UaIӆ/asTZ&b:0l?`[Mw0z`i&E-Q]KW:
D&&Yed鲤}/*"%XCeilȀ
ye$E0*iI>F$n8tTaHzVh#|7#\LN(Xa:H(a;8x~}@wxp=syoג/_yPۇaQ>XJ I~~O(z>t냁jAtbec^uA>
CrκN'}h^3
?K@݆a8lL y:"3a	C\d8% *qP)af$L*þҎ}נuxCI:&=
dof]0mZy(mNIX-d4_PXXUO wޤjSD&_JSOw^3Pآ3|eՄ >^/!TT&N=+'cuh/;&-aEcG۴-0{f0DT(^1K~w]J!U_J`
uBNW=g2dϥ41OwH4lN n@T
9n|0	sc|x(7
<5+S*c@ -hƱx78DZ	&,*Ĵo \&[Ll[j#
!+@%d`q"$L]4܄`D,Ȫvrc=o0M]%Fx	
/0I썧 vr+l˭L
`2q66656w&QD;$d+^:K0^MC\ӷT<qND5kYɑЀO_&m7+OUPNP3ި,X.zǨBXU[O@%ا0B󌺮+U#n};bevoo1sxNt\QSwfc
5
ߡ=V 5 wd*()ɾ#%*ܷH,rl&+P ޣ7
-Wn0U
Q9fzۈK0m
Yegj4(1vqK/G^>Vh6 o
1E1b]-mb'.= rzc&%/ܷP࿟g@ÐQr:[waK`?A󟿪dHQb7.<n燺|H*E19
Z Gjw^j5,lPdy	d{7~]z!((R,*Nbg16sh#:;gAc7Մh,Mqk:b;1,`peN؊~Euu_~ĸ7zEl)JwT{KFGhq1 Oߌ礷;eoe\I#AkJ.gSLrg2kR|Oar%!5 =w0dB7L"y{j_ċ2?O/$gt^bU)]+96o-;5$WX.'m;tv ʷ~XX iĺeSűG"KA!Y'}@]\:;_ʎz<@Osƅ?q|L3l$F?cL~?XU1^gvF<\9z2]j}-EFnK&||BﴳM A׋)"c {$ `Nx0ė{}e^=ZO#q~"`7:*ކmaE<9v2"?0>
Y 
OFPaC
x%t?0BbZKH>>HƏ+I2fI<yF7DD
>,~hܠ"J_-tN߽}uh^&[?;?Wn*xCv	8}7}y6|Vh)ZZIq(PO8ch[!I⛄L{za:V%? sMa{ӺtF>T{1y;Q9_VA,[/izN	޽̠DlєM-|dMS)S.܆3z3x ܂ά`/Vs]tY<nN4s@K,CHQ8# 8B,oGrJPA4b
-BȀqQ	 o||ǎr}	SmE7JfS[Gth]FCi:E:                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   ]Tmo0_q6F{վ+]FA
e~0ɅXu|6&]yq5,' ?;=TyVps>g;պiV@P ;t^@
(hARwqoim>◿ofrRfeZe	Feii󹀮{Tx9.NF-|P.C%Dn@zlXHn/-35lkG@9b-G4bԳ4o
Pʮ+vRku@{ ~r}I̐^ui"R"F!5
7Y6DØ&m2֠E݄dmCUsbE$Uj H^10aj[g᭪swj3r
|Ș{$AR=a'!z5kLah@:et$kn?V4
Vn+2^J1~CAfTJm62#l]Е2|HL9cX8mǤ?r޼vhSS?ВɆ#0G5bϷi#Dr'UoJgLhILӗ1,gY*zvMֶ2Yj3\8ȠU
ӋGr Z4e|%X|4Ek                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      [rǑ}<,@r:7I4I AQ]t׸/jv33
}߼z#_{2 owl3uˬ̓'3kߨo=T7U7nLo͇wlo*]?k2Q&jW,QJumUw<=8dzKa;N{zej:/^iB}aW7Yg?e
>:
#͋aisZ@KbG2*üOG$-)OLTtZ̮.W=NCwQǤ9#ͪtaU[ff׋F|޶kt<@/׺ӞnBf0q:9rՙV5+j]궰UkWb\!y[޺ܵF_V;pBY5kNxƗGWK,+쎜I-,NV&;I7ks<}r*WbF
*lb;4yf05?55=9/ا˪&'Z6-<t7
p:~Nr\૥>Qn,$7.{.j9$
_ }Z><v;,|zg?ZذlSMW4["ɦHM<ܝ%Na߽]a{X;E:\8+XKa{XkG;S#r-OSePvkA,y+3
rfz_mJ*m
0ɪ~J!k8JTt}|n|xJDc&G֔pXXٔ7dٛ4}G-woKc2Mu	eQTo
ڈcrocoUL,qfJ82_e~L-iݒhP:H<;r>\w	L&Ww~DLQM>ߝB)t0O5G`Z8{z+&u2IIT`<]p1Prv]wk2DWK@3-HQhГ$`;&lj7M6].[淋W; x{g{*	|cphoq[CXh^v @$ck`vmxV{]ڼ7rbÓ)QO9væY^	$|pEB*/d22h]Lh&daP.a7U4M6[@D 7oM_SqquijfOl8KM#A$#8Fć=<-S<+3ըM cz{z,%:y񥫦&|NP&85`L<e%4޽hbrQbN!`
i; k! N]ڒM/E8+
#;
]~hn29pefM߽	K'4hJ*/]qʌ1B,~(aXɏ!*]Λ5uYbCѲyyB\OKp	HmE Jc~IKpG`D=~D=TA4-D=C6
`!uU+v܌5Q^rA"fOq*?@s'	2qŊ3xFpvrwCbdQ]FxN`t;Jΰ`Sln@Ȩ~].# |GM0{	Gӧ5^}qHXv_"UF.AbBlw`"(
EY"'&i{Wv ;T?=
0.	HӍ5
7B{ęB=&JaySYAA3Ѭ}L6*vV5g,dw1w
S@M~[MTm1M9(GPr11	{)1Z!J[gFc@"9p(IiY|2
8LXnEutӑǦS(fVyБ57k|cЙOl)	"!<OH{	$Q`8K8vF ܸ6%
e҆'X9qӫ/wEeDrVk8/H"G 2>]Y{o*q?akPAM]!U9ZOb0E#lSHʁ,c!QCiFU-a[Yrcu]+`CgB!ҐE-V,aUp=K̦6!O[;lbq4!
Wt\1 jcA|odrLŵ%X:2Hx/,``oD¡
At(v0f4ܧ|sQJX `QFgRAoDo6%ҡ_=qܲB*UH!9&00|3b{nz;3k\3/l:d8I(_ݺn&eǹbGEV8@Yڊ"7+(z{<r$;ح-ed+06 ,PDGntmP͓aTetT&;1>d	,A7xLQ&-ի!r*.b=\5)xI
KW0xh	:-&_LX5g?qp'\R'hWjoUXN}<|u#+E~+C	BeqD}
Mp>GR$1NKL![u6[mzeNjۍe/}d[?8i=
zKAln@}|B7ujf|Bw:l0DLǕ'dDSO
2El)Nؠ&Nl-Nܫ|I3G2VO=|0Uu?0ｩ_eTTNqƃa(n6*G0 9v;R]W¾j
^Co:=
gTjRuYTyYͺhuY;n!H:r$G%$4}`+w`%Vysˎ>OKu(rkF:]*lĸ93p<qMtSRHD!@rz^1Tw|:}.+/ZK.׷Vi"9യ
`v:̸C9*5Dn\ĽY$Ă۹lK::5צ=5P#rPƛ8/es 76<qYMȵ9,f3M;Է.-=hӵΨv㻂a3wAo;R:!9)nQ@V>je7sכ/Z.DC |$r<&nFgXu CQ>3-[VH2✾MSUҋiG5	PkaSNOS~dP2Je

=~$p_(@ٜ^0B݋iN0c?TqHQަBWLp._c!P @*
=:(Tv5pd1.CM1dHQ!\qf~4BBщ!xjNWK*AbRcbaN 1ۆҕݜPҥLU$SvQEBd@#y`pSye#L) 
'܀	d^镉EKS_
~;,Sp9har?ȁZ߳:p*p.1~~&pv!GTO4"Cd`BHmwܚ܏fPѱz,uxkMjB쪞V\Kܨb!5M@:~[7 `|۳Ʈj[\LfN0QX~5N\avZbz]5󏎆5TkA &R_L7Ey&P1 E60o_{:D=>j8]m SNZ!kse;<ǡ{{Z*d'#ڜH>GtRyZ9]ѲycwIgo)36@?,k|=4?'k7Cz9\ŵƭ#s'1l'9y S>lgbJ=Tq=+|ZIC0Rz	C-HxVar\
lCMdi(+$EI(Sf'a`w|igdD_V.'N{II?&lؕDrGH*v|3Β!OбQv
Ikif/wV D!,px~AX̪g/q\rM\̠$HRGz{/SxYTpv*"L
{:0늲7#PwmnG@CQ'Tarq'GSYxIPaav(B̳;4K6	"oHgɤ䐽*n9Ϟ&7s#^52lFZ%p3LCZ錆S
L^>O8O)1;o8O	CB3,G<tË_;x:R

:iE7WK'/1r		5?4IX'j*9ېcBfsn\6_n/	MbRf9U8Dx(
]mP@<2^4,|n;(!GޡG9fo.w24$Bm|"
iSەT@CM#(hiH/6sTKz>p
އ4`=Lb]]ǣ~
i4âυ{H=\ޠSʾnm$)@='+E2He/\\|8A!;ː7>1nWɊ΍zxȮ$K8]
WoOy[IH~cH<p9as$>K0JmE[cG=ڈS' C=%(|}Oo@`y
{V~k䝃e1j}?}A^-<C@w˝x?{<c|FDS<ֳ?AǏ<߽44CyԶ쑤yF?5yN+5zry?'B5QJR$3BUJω>ٖGb>kS?RIqx!£]l#_{}p=yWdʽTfC{K~C3;ò;Q_cҳi
.[o\)Ǔj{R
5uY2O	QYaD%?H^Ab#5?Y_7葤~c<E^Do2
ǻe
fE/`4Ȩ~7vikI']*Ӻe};xOV\ȤM8_x6<*|C73i>pGE5Ҭ]Y{PUjɯ|ܛeJWHVwk30s\)!m|Y52$u
m}h*->My]ڢ7҃hc>eǞ{o*R;$M>?qGOz׶-	;u|OoݼL߼?Kߺ߾q4VS[p:v5QmH|$b9+-MfmZrSX4.UKVE($®聚{彙P[l3+m1n
ŭDT-PWWQ,2d]uKZ3&w* k`1<EzG36'-7*U{.L&g)܊#>q*V X0䈴VnB|jYi<G+pFۖM58f#6҃H>AC<P:LfuJ`fM-QfQE>0`2ʮu)li^Өw}n%tk_h14V̖s
&N"{?                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               UTN@Wr	Hb фEжhoypK_SvHQ:)wzꕽtww\p.ӛP?<.BU֐T>Ty
FE`:
4Xe`!_WC'É\xhk[w {{n8ho9qx1c
Uy<aۘHc*aX+:?xFA,Wa
uf,NL+OZ^@L}̖/0pF
	fqJ}aS"1LE#7
h(nS-30Sp:VAg,FkRfko@1!UTy17PȔzsj4!Սd_nnn)y5'8u󦕵6 tJce.M\sZHʇRψ-]YAI,n.XR44~Đ1Yd3n&a'B>Ah	2d,V0WMsc
_kL4Ϟj:4үY4.lkJ$9r-95kH ASwXe2HQjZoI.w
HCngq[.LcgD𑀝Od׺jh\0)\VD=_]~ֹYqntAfjaKsD23ziiTL}w魷I%3r MLc9                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 \{oו{S+!)ǋ.B7@&N8XXZ"U^HVkǊfu4NnGƢ$
o󺯙!-1E{;{+g_WxK'NTFɓaPyu~~%\_V\]Jy9Whstst+MA:I቙]oF0uj7krіJ/t}_O?H>IL$Jߤ_OʅVPf{_7OUاΗ'Q@M~m  f=}Z]#Dk/[e<l*#Cbg9x\>
K@h<gi^/{0h%ȋa;룻
*}{4D:;wiO%
 ⳲBN:tIqZ"k~?jtW.@a>9q.3a
g@3F%߈}$%uVo9/ 51?}2%>qR =jn_0׾
|H԰ɸ5@\W1,F 'q ] Zz@<I%ja5D}RfWc'.h6(;Q$»֡3j%}"vPs
h?/^ttB+$`dOWvPf~vic7N|B%zmK`!	h\6Qxct{t$P"Nq'GO=f,xBX-1&'#Y&2Mğ`Con#c`Ǥ#a0׋v(F{e'zWg};Dߠү民V'QQvHx6J٩2Fh'Cqϑ nAA	@eK^U&}$
Zs6h>kؿK"ҫ>Pw@2kKhL$ƽV&^_o0#baٳ'kZnڕ
n\9a(k(
eS \: H	38Ke
^La߉L+\.;CLGd	֕`-hD`?	FPL^Cz_
2\x=Kj<Sp]2)8ɦ4,
JN 8.`Y22A񤑮ӶJ$k [p Kn=3lG]h }ڧ_d۝B$9MeWY7u"kŬjkGUm9䜶H?2-DZy BӬ.enA0$&EYII2mkEdh،1o514ŕ"7lrO ud8R0/]\$x=0 ֋XW1:",%yD43{cϕ
*:ZD\|4uZsyژo
gh|>eh٤#_!1ds1)F,	]e؂C{1Gb!`=?\*׳ۓ}0x@<l]/ES4CMC7To:Q+/-% Jd];~g>ȁtydEѨ	Pf׫ڥ+!Uh^Rb	 Ycވ
5=q9g;:6[j8p|j'xh b~IM6zxVjNbEWʼrЊS}˱(ugؗ0}ǺMظuD)_끀EnRa9&
ϗ#-	?@X`G7HçMɄkoSAnب*&
·cN;rk

13$#2=cU~!F% }X(!)gdl
:&ŹVBTf $g8s_bxH;d;nsfSZqfo.%XH(9L<;JBC{dyģ4. Lm(C00D;ؿ' w:C߀I>GIʣx-(ɠqZga:°i%,C'xrgL8  H [M+C7{a`c%e̋GQ_=dypN\8a	'ͬvkO_B}:,)yE4֡gEý\INri(a]dA1\U[JӉZ	qJ FO\A55!i(q~+)ICpVtrxg"]ҰC4|;C/É#).*.h
5: 4OBXz?g4g4f}ú
oGծjZoTjTq&s*z-%)b<_`-k&CG9R8f;t?om/s=PV
yve>B\Kf#eh( <<{A `{5LZ{Ȭp fH߸0MUSz]\$LN}b.;A[/(5EvԾ=KDLSV0k2UmU/kSC򷁛rETS6Ƃ9v^ QC#W#{(bN
eP/lPC!,AF8m03EY9{9p"|S[3djN՚ L8b}ӆ	)OKbnRSE6X+wWBWê!*<칱LY326S"JzIWycC16.2$K`,M03cJ$MZah?eLJaݚ9/Qj'@-Z1wߝ'f_	c?#'>EAK,p185kN3EOԞIUb%1ƚ㆜]UjIKJU	v{.@nq9GqPGc%mg"ZHUp!gP5iRV
:ǽ8<)2z@s4nN(UV[?
FKj,qk?&{ g|6Ȥ׬ڋs+6\X[֥͋7.~٫?]Jrk2c,fzIiyvM6֛.22c[K==Tpo.^ZLnMbg(c 2@I9pvZwypw^
Jr\A6[ñ?LZL+?1xlҊ*u=h'uNQNHe)(3~z
? *MjkϦHϮS̭7.6|ؚAu$z}$K@M;A0e"*G3/Ta04ܦ'trR $a~tcҡHx^1M[(q:_n'\fwؓة.c,(rS[-cŞsS'*)@))"=#jjUDSI!a(lJN[\"ѵ^) ᣶?rrU&r^'C7r[d.ݫ:M#΀[1`j},9HzwV.krEfb9SdA:;&}ԧ&&.6zM9QGD(Be6nwli.y?=@>$TXDɰ9G-D@"g9$6T׫ų}wk[VkElEfc郩6kJ3qv/Hu
7TlߦmៃRBAN򞰸]u6> y1nŇPڤ^n+WT=[{"P/ id՘@%yFI,b
DKѤW*B3h^!;1/-6qg=#ޤhc);gFض&kw0efR9ʻCddyyd]XWt6,v0Xo18(/)VBЊjQ#mjk'iK"cZalWI;5Bv¦&xJ]mZN1q< i-'5Olx:pIc6kmV͍4_:<y"
*recŮiqFhjsBγkւj&%9A!1r*[cn	iϋv\Yu .cU<!RY.(mnpҚs%sQ	}f{ðƉ+p^(<He=̱ҧI3F.vԪ+ޤMohհK|׏FG
<q(<hJTyOrg4y]_LB_P|vG<f8Wrxx`U]).e5J}LFS.qaL/Յ}AQB?Ny0H$#8R[XXQ<P>
rGC^3
^%9]/=.ICiX,핽|N|k|kn

@!z5Y74~NƹhEtV,9dTgsv/lʥ;kʜlYn9i	rAHxD۶i:ٌU*>YISCrCV`BE_TLC_욟%Oy%HP{T[wCD5NiK'B,lDK3ڊ$+u\I*-"ݛ@ķlv<5o9뤙@@gk$8&15fzt>8sBvICi챂\ap$G`
b/c!I[DttDIó5MVCn0'1l&dd3싣45_av|!=[栻ͦp2=:F;qζ\Zm}ɋ3C:{I<,3u+Znv"*9;sEzAk->(N2_tװ;dI-h@3љRI}hS>=`{GN#mz}:+vN<=_UOs4/^waL(Ecj}qmmw%b[I'
c:n&ϤvnzaS1ǤǴcKQ nLԗF'/ܵ*ɑ5OZ>Zzsɚr^d:osK#wo w5ֽh8mG-KvgbD։3<		{KMnKEXF\):LF'ivizvh(o-%%'}"E|>.N4kNK}Z&ٟMtq#KZ+ӳK)Gwua+jMДnj슗8|i;N1\Sol&xFN|5! HP8̝	{,;-~L)|T>Cr7n ab@pr-R9P2wЮoK@i}?9["z×Ϟy3#s;hΆ: aL
jKFo,E;M.lґ k607Ǩi޾2ٰ: \Tڡt078xU@2+bL-!nm%*ix0H]9sſuMבsFzn?g̮[j+ہ5Ojjd0@(K|PS]h;=EE%}!i	cr{ap;-Ew#>yNKi[
Ӫx#,gX%
X4W:kpO)gj&3T;?l՜$qI-|eccW5V!a2=-3FЊVN!L#J  _I\)I;3C$wL^*$-K烕h"mE%\Ȣ!YgMMs>OJXiĄӥ (۴_BXfm-쒔*pxkgޜ[tVfg֐SfkaEL/ !x]' -/vf9q_]LO=8hiuisP!2fbjտO!-C2se]ɍ{XkE֚LG:v4܁PowH0-RHWbH],n6fJ!P̟zڐ'KV֞![<Wt/J1ќ~rz?ީ.uԯS;Ŗ/z{-GA灗tOd\9Qc	g<΁8V2@/k*Er
;Ǉd赊ȦiiԹX:׈xgKtU-.W]͊*i϶V(@tA!A4c	R|3DE3^4˽ ak}A{2O&ʭ
'=6%us8Yڀoaui\rS& s><uzUWtɡtR9C!7&d*:ddFsuFōv|ɜ^
,uWÔsyi݈
/&e[+;0Ι^5U	
q%>`                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              V;oGWP$w)!]zXHѠ%)Ɋ!EIa"H$>QfQ#(*FRx7;;o{ޥE--,,rAr&	ReNo_q]n9&:G=|Xmm{<ATǟl6 l/m8CkoaBF1,|!
o#xH*qe>>-~G?	Lp|VˁXx2gqDOL}lV-H"N`C@[#T-
H(Z!eOAHj@xӇ=1 Vm20UXo+n# i=rao
! s~N?;p.Fh{	O4R"V ~v$(ڒ:Tr9o$Şx0`ɰI{-4s)nⅳ=5,@j8MF Tnك@)@+004][	Tv îǄgW׀F4B)^d2
zZ_ueKOp!!6pV"UYL6/R%⇴RO
SP2C]QO6R8_iL@vY)!
[SE/Y6P瓐fj:[$L+.k\܀x(tgNbv<*DrI[K8[+>K_ԪjGU*2W˫<	H@2[vH9)^_gOJ8§:i .ߑ
QڤٝT#4+וRjɃ SHYaTp(ɐz"܄ct;BrG]ᬓ Ňu`OL7݌eQR
 ˰j'!6~<)9L^߄M740fd$d4>7G^4Hq-M;ultGWI=@5fsKas_r>a@w	D-&!ne-J@S%T
VZP0fI/LzQ%10t{ž!vU<wVrZ^,kQ 
ORb&BGAsN/W0U
\*NgkR[[-|\Q|                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         [Koɑ>o!,l@kđJЖFEvWSvV?/s]tҭxdfeuWS<ʌ>gO"_J⛽?䱘<.u.^3-<[R%bFwOօHUVti_F㩉lX寪PiOǤZ)6ys׳ZѩZ7ㅬ%Uݾ?wMu~6/?p4nq"HtrLRgJM*;`=)ooL#ɳF\ wH62^~0/UDdLNuo,~L0ܭexvViw;x|
woe**ojmr%.-eoI ~Qm%r-px2
n
w*@,ܶ}
*x٘yIx/J˼E%kŶ`eamN/A(&<ͷ|T*)tl(*u 4Hd
U7*HQC'|\ȩ[!i=x-ǍtUf(YfȤ@14dv{q$*]*E,QJBXăh 9߭°ThFހ6Hg-M?1]ϖPL=Sp+Z;Vj)Փz!ڃ~}Wf2A5i|d(J(K@no@:HFZ`0,"KZղ3KՒiDwlǧo"LAK$[:TjAxag$$agCX,"wNp,AsNOɌQx
dk]h*NdygMA" <j[UbQp`?5-(\͖QƄ/jL,@КM"mUHzp80_e
WϮઍS;PZ1SЄNxWk4:-V+UmEB|ۏE+zMzBP@i)˨W9Ɔ!(/vB6})!>@ϖm wW;2au;%X v2Y-R@mOrRD-> .Z'C&ghkiF19G#GRKTLr=.Lk5v|`Ls tJ5qtR!hX>lm=K8*\\#6B8lhK%+WblH^A*-z'GQirx ^@t4%Y- y^1);0`Vn-@QIOdV[u`(m5kK>Y$EPl##0ujE8b}(`DB+6[~ %*/3N8'p	
pRmpKb*;Dj,#MP*,7gJ) SƧe  ~GOIh*3gU
"Hzxb\SGE`2s~%ƬC?V+#"N=QB_>',쳬i|pAXY'/ i僆cC:H^F"~;*,RQXRfIpmm$/Yl6;&,$R.^,d]+Bߐk&>&|;(H)ٓrYZ#h!`zk=0=%5ϥM_=坮AD ہ`k0-6VX0
h.u1QT	WK2f{y;BNQf#Z1]@\Cb7.ƁՀ6`lѫQ6@'tYAq{LΤ@~(TE`8<*!QA^2"d$ERJSJ
%~3PʉVlxruŚf6
71r4p82;EB'vM'ϗLA[m $d`ɮY0бж LRLt;v"X\JLAS`cz.fѴt Q`zSLY5!u|4@ wt훜0p̡J&.ˬBFx33MGGCJf&\;6J`[,? K$.%bPfW/? VKբ"@!c8Xws72("0]NE5_JA.]VnQJ(%h7{1"OČ (B<	_]ls:sZꔤuI=('m~n{_MˇAhÁ b7ŭqjF[Nl-5
D`4&́v۷ ڝSE;pJ:!f R%[F!A- L@l`Uu ~*Pzp(KݗǮ朗 v}wl|SpŮ422z~QgyB/E_}f	X/qPlF+zh+t_D+}>H"FOB3b"Pص7 Qr/נߦqGO|wj$:=R"
݉o.-yWJgwlhB̅ ?6tz ϵz9CiYwb@
0%9> ] 쀌 *2IXO?',zo9H,F<˩.ʫ\ֳ
,mP;MCOFWF׫zNU]{ ]X{ x$K4s6bx=C0RZ%AWdO-k%2T29ml:\
rQթ.lW'CGëوChAka
=F|C(sns6ߓiSPSTVF" ~,ߧ :9c"Y/ӧy+/%6ج:A]; zu@ @k/ve= v#wO}-Ⱦ^̋}SFG~dQT;U͖.
?
*"T7iǣ#4--k1$U5/y@۵Q+UZ>M'yEJ|JUQ2)ѿKߤX%<A!|pJ?õWg'L@u*W_X:q׋U}Jݴ85)WGʵQdEiJ6
u|xC&:\s!2
S6ͶI?Q:rM_,?X1𬸪{+~5}fuvTiP"k̀"*,pХͮ6~ĺ@+]`?U/*k\Q# \==UMR
sY0EmBhe\3l,8x2HqKPA*~Pk%Xw0Tj#k&'1\v=,&`*r
w*7ahe+I0UidEyUx(ʹ%<JrN71.PvG>>:x.73.gH'P|]VC-5Xkr۠ .,kшF\h`OэtesW|4m':v`AMj-3}
,.JmRp6x=|Ɯyo3o4dq shkɓ S"NgO<,K
]t{75!F촬 Wۮ"eQ׻7
PeH8\ P}gz @-jE7cG+=ہj/]u=;ک=Dy9MY7>U۽劘+nS"Fͷ n1dsJQҗ
%q"[n<_w鲤8z8w\[TG(GM)_}ZPf+avޣ{<"Wj*3̌޴gs(S.*c0'7	SdjFϗ$^~J9>&etHpFs#8$btlzMv©,j{h;g6u.	Ef:UyӰ1?D&jA.JaZt_<P4FU'eSPvF
rQS#+buۈ3/b;v4H/ځ69wms{,Ƕ-bA'n*r/
zT+Xb5B.1{KV:@GRH/#ȉCw5 CQy	C8ŚP\o(/yVLav#̗[[C+lԈ}7B1 zzXD;vըe3 ^eN
EMOY¯rPQu^4 N4˷w<sc(q/aUlu^~𿠺RKU
WclG}ۉl[ZBiMKQU^N("B2E~O~9KÁi SQ>  b&(%!%.g?-q5>_-P2n#l\tK<LV{t"~ңCINmS93rӝP	(	&<d]a[<DC~|Fujx@y.gM]78>Hpd][ۑ;Vp)]Wk9j1t*H@ZV$fB.{j~btr#vVҨ]P8{I9!eAఄ5Dڒ !wUux|-VpF=藺;
pX<lZD'TQA#|zv4
֡8w5>]>&mG6F+%$6::uMgE}i~cto)K̧;tq+p/̍ZmiBH43.c<ne\S@ebg)+h?y6jO`.@{jE=/p[30T <5/3AXd{BER5V}IO/z{uu"fg^o'ѓ8W7uiߢ/&/+`$LWEF0!}VtRpNT8~#B_a^ c
ϖԘESje%%X@S0 ͷӲhŤH00?Ž- 7g]'4eb*@;C?ިsͺR7R5ǸǓS
q4F}	f?JeRP4u8GE.O,(e'> GA8~@|WVA^!MԣN)2(/%od!3E3@"v3TL
qTo{D)!'Q+Fke{!NnYa-_6ˤÔ@A                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             uN0yQ.	"
{.ETlYI㶖rҮǞ{ᔛ{Neo~3ó9t!<9!a^@|,x!ҼP5kyXLY@`
SkSgi8dW2%Y`n֙DZI&(vW? JWKSL拿?'K]_Ói+{_
voܬ"\p3YUwTd
u\6u̘1IPL͚l$S$mְ\Z~3od#"Ě%_r!MD.ʼ$\zbAK0AԊy2$$-щD-p	ɩ&ijJO@X]'\جBbu,X? vO;4:K\ʄ*յ8dT\&rIehݱTǹL4Ow<uOnĕs']V(L 
НvLጆlFq]۶Mpl֛Wt||31NDf}I]oۗzV4%Q+MMPӲt%<ަhdx8
65лsncŗciUCߴ*HL]ZYrVi`	MlFi4)]QD8<\
URߙoLx:er#~^?NUBX                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        " Normally we use vim-extensions. If you want true vi-compatibility
" remove change the following statements
set nocompatible	" Use Vim defaults instead of 100% vi compatibility
set backspace=indent,eol,start	" more powerful backspacing

" Now we set some defaults for the editor
set history=50		" keep 50 lines of command line history
set ruler		" show the cursor position all the time

" modelines have historically been a source of security/resource
" vulnerabilities -- disable by default, even when 'nocompatible' is set
set nomodeline

" Suffixes that get lower priority when doing tab completion for filenames.
" These are files we are not likely to want to edit or read.
set suffixes=.bak,~,.swp,.o,.info,.aux,.log,.dvi,.bbl,.blg,.brf,.cb,.ind,.idx,.ilg,.inx,.out,.toc

" We know xterm-debian is a color terminal
if &term =~ "xterm-debian" || &term =~ "xterm-xfree86"
  set t_Co=16
  set t_Sf=[3%dm
  set t_Sb=[4%dm
endif

" Some Debian-specific things
if has('gui')
  " Must define this within the :if so it does not cause problems with
  " vim-tiny (which does not have +eval)
  function! <SID>MapExists(name, modes)
    for mode in split(a:modes, '\zs')
      if !empty(maparg(a:name, mode))
        return 1
      endif
    endfor
    return 0
  endfunction

  " Make shift-insert work like in Xterm
  autocmd GUIEnter * if !<SID>MapExists("<S-Insert>", "nvso") | execute "map <S-Insert> <MiddleMouse>" | endif
  autocmd GUIEnter * if !<SID>MapExists("<S-Insert>", "ic") | execute "map! <S-Insert> <MiddleMouse>" | endif
endif

" Set paper size from /etc/papersize if available (Debian-specific)
if filereadable("/etc/papersize")
  let s:papersize = matchstr(readfile('/etc/papersize', '', 1), '\p*')
  if strlen(s:papersize)
    exe "set printoptions+=paper:" . s:papersize
  endif
endif

                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    /.
/etc
/etc/vim
/etc/vim/vimrc
/usr
/usr/bin
/usr/bin/helpztags
/usr/lib
/usr/lib/mime
/usr/lib/mime/packages
/usr/lib/mime/packages/vim-common
/usr/share
/usr/share/applications
/usr/share/applications/vim.desktop
/usr/share/doc
/usr/share/doc/vim-common
/usr/share/doc/vim-common/NEWS.Debian.gz
/usr/share/doc/vim-common/README.Debian
/usr/share/doc/vim-common/changelog.Debian.gz
/usr/share/doc/vim-common/changelog.gz
/usr/share/doc/vim-common/copyright
/usr/share/icons
/usr/share/icons/hicolor
/usr/share/icons/hicolor/48x48
/usr/share/icons/hicolor/48x48/apps
/usr/share/icons/hicolor/48x48/apps/gvim.png
/usr/share/icons/hicolor/scalable
/usr/share/icons/hicolor/scalable/apps
/usr/share/icons/hicolor/scalable/apps/gvim.svg
/usr/share/icons/locolor
/usr/share/icons/locolor/16x16
/usr/share/icons/locolor/16x16/apps
/usr/share/icons/locolor/16x16/apps/gvim.png
/usr/share/icons/locolor/32x32
/usr/share/icons/locolor/32x32/apps
/usr/share/icons/locolor/32x32/apps/gvim.png
/usr/share/lintian
/usr/share/lintian/overrides
/usr/share/lintian/overrides/vim-common
/usr/share/man
/usr/share/man/da
/usr/share/man/da/man1
/usr/share/man/da/man1/vim.1.gz
/usr/share/man/da/man1/vimdiff.1.gz
/usr/share/man/de
/usr/share/man/de/man1
/usr/share/man/de/man1/vim.1.gz
/usr/share/man/fr
/usr/share/man/fr/man1
/usr/share/man/fr/man1/vim.1.gz
/usr/share/man/fr/man1/vimdiff.1.gz
/usr/share/man/it
/usr/share/man/it/man1
/usr/share/man/it/man1/vim.1.gz
/usr/share/man/it/man1/vimdiff.1.gz
/usr/share/man/ja
/usr/share/man/ja/man1
/usr/share/man/ja/man1/vim.1.gz
/usr/share/man/ja/man1/vimdiff.1.gz
/usr/share/man/man1
/usr/share/man/man1/helpztags.1.gz
/usr/share/man/man1/vim.1.gz
/usr/share/man/man1/vimdiff.1.gz
/usr/share/man/pl
/usr/share/man/pl/man1
/usr/share/man/pl/man1/vim.1.gz
/usr/share/man/pl/man1/vimdiff.1.gz
/usr/share/man/ru
/usr/share/man/ru/man1
/usr/share/man/ru/man1/vim.1.gz
/usr/share/man/ru/man1/vimdiff.1.gz
/usr/share/man/tr
/usr/share/man/tr/man1
/usr/share/man/tr/man1/vim.1.gz
/usr/share/man/tr/man1/vimdiff.1.gz
/usr/share/vim
/usr/share/vim/vim90
/usr/share/vim/vim90/debian.vim
/var
/var/lib
/var/lib/vim
/var/lib/vim/addons
/usr/share/man/da/man1/rview.1.gz
/usr/share/man/da/man1/rvim.1.gz
/usr/share/man/de/man1/rview.1.gz
/usr/share/man/de/man1/rvim.1.gz
/usr/share/man/fr/man1/rview.1.gz
/usr/share/man/fr/man1/rvim.1.gz
/usr/share/man/it/man1/rview.1.gz
/usr/share/man/it/man1/rvim.1.gz
/usr/share/man/ja/man1/rview.1.gz
/usr/share/man/ja/man1/rvim.1.gz
/usr/share/man/man1/rview.1.gz
/usr/share/man/man1/rvim.1.gz
/usr/share/man/pl/man1/rview.1.gz
/usr/share/man/pl/man1/rvim.1.gz
/usr/share/man/ru/man1/rview.1.gz
/usr/share/man/ru/man1/rvim.1.gz
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    e  .   d  ..  f  node-gyp node-gyp.cmd                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              "1g  .   +  ..  h  node-gyp-bina  is-server-package.js  make-spawn-args.js    package-envs.js t  run-script-pkg.js   v  
run-script.js     set-path.js   signal-manager.js   , validate-options.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               <Gn#!/bin/sh
set -e
# Automatically added by dh_installalternatives/13.11.4
if [ "$1" = "configure" ] || [ "$1" = "abort-upgrade" ] || [ "$1" = "abort-deconfigure" ] || [ "$1" = "abort-remove" ]; then
        update-alternatives --install /usr/bin/editor editor /usr/bin/vim.tiny 15 \
            --slave /usr/share/man/man1/editor.1.gz editor.1.gz /usr/share/man/man1/vim.1.gz \
            --slave /usr/share/man/da/man1/editor.1.gz editor.da.1.gz /usr/share/man/da/man1/vim.1.gz \
            --slave /usr/share/man/de/man1/editor.1.gz editor.de.1.gz /usr/share/man/de/man1/vim.1.gz \
            --slave /usr/share/man/fr/man1/editor.1.gz editor.fr.1.gz /usr/share/man/fr/man1/vim.1.gz \
            --slave /usr/share/man/it/man1/editor.1.gz editor.it.1.gz /usr/share/man/it/man1/vim.1.gz \
            --slave /usr/share/man/ja/man1/editor.1.gz editor.ja.1.gz /usr/share/man/ja/man1/vim.1.gz \
            --slave /usr/share/man/pl/man1/editor.1.gz editor.pl.1.gz /usr/share/man/pl/man1/vim.1.gz \
            --slave /usr/share/man/ru/man1/editor.1.gz editor.ru.1.gz /usr/share/man/ru/man1/vim.1.gz \
            --slave /usr/share/man/tr/man1/editor.1.gz editor.tr.1.gz /usr/share/man/tr/man1/vim.1.gz
fi
# End automatically added section
# Automatically added by dh_installalternatives/13.11.4
if [ "$1" = "configure" ] || [ "$1" = "abort-upgrade" ] || [ "$1" = "abort-deconfigure" ] || [ "$1" = "abort-remove" ]; then
        update-alternatives --install /usr/bin/ex ex /usr/bin/vim.tiny 15 \
            --slave /usr/share/man/man1/ex.1.gz ex.1.gz /usr/share/man/man1/vim.1.gz \
            --slave /usr/share/man/da/man1/ex.1.gz ex.da.1.gz /usr/share/man/da/man1/vim.1.gz \
            --slave /usr/share/man/de/man1/ex.1.gz ex.de.1.gz /usr/share/man/de/man1/vim.1.gz \
            --slave /usr/share/man/fr/man1/ex.1.gz ex.fr.1.gz /usr/share/man/fr/man1/vim.1.gz \
            --slave /usr/share/man/it/man1/ex.1.gz ex.it.1.gz /usr/share/man/it/man1/vim.1.gz \
            --slave /usr/share/man/ja/man1/ex.1.gz ex.ja.1.gz /usr/share/man/ja/man1/vim.1.gz \
            --slave /usr/share/man/pl/man1/ex.1.gz ex.pl.1.gz /usr/share/man/pl/man1/vim.1.gz \
            --slave /usr/share/man/ru/man1/ex.1.gz ex.ru.1.gz /usr/share/man/ru/man1/vim.1.gz \
            --slave /usr/share/man/tr/man1/ex.1.gz ex.tr.1.gz /usr/share/man/tr/man1/vim.1.gz
fi
# End automatically added section
# Automatically added by dh_installalternatives/13.11.4
if [ "$1" = "configure" ] || [ "$1" = "abort-upgrade" ] || [ "$1" = "abort-deconfigure" ] || [ "$1" = "abort-remove" ]; then
        update-alternatives --install /usr/bin/rview rview /usr/bin/vim.tiny 15
fi
# End automatically added section
# Automatically added by dh_installalternatives/13.11.4
if [ "$1" = "configure" ] || [ "$1" = "abort-upgrade" ] || [ "$1" = "abort-deconfigure" ] || [ "$1" = "abort-remove" ]; then
        update-alternatives --install /usr/bin/vi vi /usr/bin/vim.tiny 15 \
            --slave /usr/share/man/man1/vi.1.gz vi.1.gz /usr/share/man/man1/vim.1.gz \
            --slave /usr/share/man/da/man1/vi.1.gz vi.da.1.gz /usr/share/man/da/man1/vim.1.gz \
            --slave /usr/share/man/de/man1/vi.1.gz vi.de.1.gz /usr/share/man/de/man1/vim.1.gz \
            --slave /usr/share/man/fr/man1/vi.1.gz vi.fr.1.gz /usr/share/man/fr/man1/vim.1.gz \
            --slave /usr/share/man/it/man1/vi.1.gz vi.it.1.gz /usr/share/man/it/man1/vim.1.gz \
            --slave /usr/share/man/ja/man1/vi.1.gz vi.ja.1.gz /usr/share/man/ja/man1/vim.1.gz \
            --slave /usr/share/man/pl/man1/vi.1.gz vi.pl.1.gz /usr/share/man/pl/man1/vim.1.gz \
            --slave /usr/share/man/ru/man1/vi.1.gz vi.ru.1.gz /usr/share/man/ru/man1/vim.1.gz \
            --slave /usr/share/man/tr/man1/vi.1.gz vi.tr.1.gz /usr/share/man/tr/man1/vim.1.gz
fi
# End automatically added section
# Automatically added by dh_installalternatives/13.11.4
if [ "$1" = "configure" ] || [ "$1" = "abort-upgrade" ] || [ "$1" = "abort-deconfigure" ] || [ "$1" = "abort-remove" ]; then
        update-alternatives --install /usr/bin/view view /usr/bin/vim.tiny 15 \
            --slave /usr/share/man/man1/view.1.gz view.1.gz /usr/share/man/man1/vim.1.gz \
            --slave /usr/share/man/da/man1/view.1.gz view.da.1.gz /usr/share/man/da/man1/vim.1.gz \
            --slave /usr/share/man/de/man1/view.1.gz view.de.1.gz /usr/share/man/de/man1/vim.1.gz \
            --slave /usr/share/man/fr/man1/view.1.gz view.fr.1.gz /usr/share/man/fr/man1/vim.1.gz \
            --slave /usr/share/man/it/man1/view.1.gz view.it.1.gz /usr/share/man/it/man1/vim.1.gz \
            --slave /usr/share/man/ja/man1/view.1.gz view.ja.1.gz /usr/share/man/ja/man1/vim.1.gz \
            --slave /usr/share/man/pl/man1/view.1.gz view.pl.1.gz /usr/share/man/pl/man1/vim.1.gz \
            --slave /usr/share/man/ru/man1/view.1.gz view.ru.1.gz /usr/share/man/ru/man1/vim.1.gz \
            --slave /usr/share/man/tr/man1/view.1.gz view.tr.1.gz /usr/share/man/tr/man1/vim.1.gz
fi
# End automatically added section
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 /etc/vim/vimrc.tiny
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            #!/bin/sh
set -e
# Automatically added by dh_installalternatives/13.11.4
if [ "$1" = "remove" ]; then
	update-alternatives --remove view /usr/bin/vim.tiny
fi
# End automatically added section
# Automatically added by dh_installalternatives/13.11.4
if [ "$1" = "remove" ]; then
	update-alternatives --remove vi /usr/bin/vim.tiny
fi
# End automatically added section
# Automatically added by dh_installalternatives/13.11.4
if [ "$1" = "remove" ]; then
	update-alternatives --remove rview /usr/bin/vim.tiny
fi
# End automatically added section
# Automatically added by dh_installalternatives/13.11.4
if [ "$1" = "remove" ]; then
	update-alternatives --remove ex /usr/bin/vim.tiny
fi
# End automatically added section
# Automatically added by dh_installalternatives/13.11.4
if [ "$1" = "remove" ]; then
	update-alternatives --remove editor /usr/bin/vim.tiny
fi
# End automatically added section
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     5428e73fb6fe47b0628b0c519fa70c38  usr/bin/vim.tiny
8fca4b35618057e97c517350bc623d82  usr/share/bug/vim-tiny/presubj
3bf849d905a93ddc7f7703774131a8f2  usr/share/bug/vim-tiny/script
08176930996e6457889eea11d50ac211  usr/share/doc/vim-tiny/NEWS.Debian.gz
3e39f2a5362716eece98f257492ac60e  usr/share/doc/vim-tiny/changelog.Debian.gz
3c5cdcb6cbb32ec42b816202544a9fd4  usr/share/doc/vim-tiny/changelog.gz
2a823de24122e7e2fa946632b6737676  usr/share/doc/vim-tiny/copyright
f381287c7625caed99e744dc236b31f9  usr/share/lintian/overrides/vim-tiny
43263a985cd7e3073ebf89ee0ee045f2  usr/share/vim/vim90/doc/README.Debian
50187ea43bfb3b7859ae6b966a1c64bc  usr/share/vim/vim90/doc/help.txt
03ec9aa20d4ea1422d2896e72b9d9c4b  usr/share/vim/vim90/doc/tags
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             h  .   g  ..  i  node-gyp node-gyp.cmd                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              'j  .   k  ..  k 
node-which                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                ޗ" Vim configuration file, in effect when invoked as "vi". The aim of this
" configuration file is to provide a Vim environment as compatible with the
" original vi as possible. Note that ~/.vimrc configuration files as other
" configuration files in the runtimepath are still sourced.
" When Vim is invoked differently ("vim", "view", "evim", ...) this file is
" _not_ sourced; /etc/vim/vimrc and/or /etc/vim/gvimrc are.

" Debian system-wide default configuration Vim
set runtimepath=~/.vim,/var/lib/vim/addons,/usr/share/vim/vimfiles,/usr/share/vim/vim90,/usr/share/vim/vimfiles/after,/var/lib/vim/addons/after,~/.vim/after

set compatible

" vim: set ft=vim:
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          Before filing a bug, please ensure that your configuration is not the cause of
the bug.  At the very least, this can help narrow down exactly where the bug
exists or what option is causing the behavior.

Start Vim with the "--clean" option and provide specific steps on reproducing
the bug from there.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  #!/bin/sh

printf "\n--- real paths of main Vim binaries ---\n" >&3
for f in vi vim gvim; do
    if [ -L "/usr/bin/$f" ]; then
        printf "/usr/bin/$f is $(readlink -f /usr/bin/$f)\n" >&3
    fi
done
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         uAk0^QL).=ua.Yʒ	;nH!^d${\7}mjcf.ǁ<Oj<#QpNH}±gW&ފBEUʢ$
4NQTm*Ά0#%ye£Ϟ5OJc3q;pĐ2Iȫ0^DF9:WEorʎcGp9MTҁrfOqP)Pqm>`uHJ"){
+\}a8"hAݩ`;gRՉޮeSmو?=ulc>D-lti4X[cVьI                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                [isG_QAoM vYv#Z
R?zf_<73DC1*2_̬~SKm0~Z7㌭1/gMY/]yjQ,`2OOWC3̅ڲu[+G^u)}mYlIq5Z,0^aݔjE^B)AD)l8%|ɫ<=䩨M:KQen(u"%(X;3+l*Zf '{#4nX:Q4ŋ#տlݟyxc2agQӂ84Վ=Dg*t',Xլ:Zc}:+¾5m||dgCp:(`r(4ZbW}b[!kzc!6	^oj8M)
ji^'lc,575#9UMߟX6X6-k(-8b^1xSȓd
?aX?`kaqю@ez1:VǰcX1ㄠ#
WfAs:-uhkΙaB(f]hZ`h-l&BhQ(nI#cC2㛆y6~@LHd	 BE`yvXI
qlVsb7|Ls
,-4kNsk@[>OG#$(:N:QA KU=ah#v
ۨ*2e#Ε֛Y,*VpBY >>dӇ/D81 7>HRYveɺu7yBz Bƾ=3ycɆaf(8$0L7`chU)eBB3Ls"\)\Js*,$9,R!xOְucx#XL	NN^AQxlir(S\5<a$LhtՔt5_7byH||!OxO r<si{ rP~6܁HFYW5x?İ0pU&WO(ϐxxFd>cWCn@$l 6atj(!ehO8j'\|q7%«(Y	b#/ŁA}v4BRP	hjO<"qT%r"ϒ=hgXO Lh2t'0c{7w<
b|yV1pbd{q&PfidU2φ	魙޺v`j`)H,8lU	'REs B;
YAxMމ rR7JXn\=5g5`k\ uH\
(YEK^&1n
 J%]}zu{7o4J$42iI(]@Aizcj^n^]w?\n u RG(cHSM|o9zS. sZ9RwyfJ-%|F(
xdfvO'O`L3z?em0-$%Fu(ig5 ]!
xM,#o<Lgt[?ƅR5@<KaF"4@'6,3 X&[pϢC]Jm,aS|]`: s@n><UHmԎE|d<Ho
j0{J{'AsYm  o*<h#/}Bgɉ|w
؆Z
3o9v\&aHhNpW5$*$L,;*Y岢r +3NdmRv2P
! E}"!{BAnZc9$6A(ECUtX8X?rI I2*#,ac^=n_vhÞxmhlF*Nb6X64(k7mk,_{7|nSfTSm:~Ơ2Dȳ 3%쓊?^0dhtI#kƷכ2&/ML/92,YϿ47,\V0
wFzHv1RLKm5l W74G
P&:F|YCd8m!|@aa)	ϓ83k,se3i=_5[iy 7h*-oϳ }^$X#&"` !b{?g|&36M2XC'8OU%rۤsݩd@ml!w9R>f	vTY٤*Y۷LghMMiE3@XB_ fpqMRE" gD\{5<[P&b}+=8Шe<m
awHzu3U=|)ReYu2fvϣɹ*`~dfL 6@c.uW[K[w䱩]^z
ЊhӸ`_z2eTގ:\G4l*慔|'jj-J;XIK*pt߶tbJR!5ǨHJC~Ҷ.d
B'Kwjݐe?|wqD:@41]@i-**DruFzQX`:cLǲo+X9^_;i8^1Ɇ794_kw1oU:x9JnVM;1*ݶA;LNX>M^3e**-[6S]lhqH>65h+
yT>TMj-fkKǑI>0ns
qbwBor5X}RTc,`K$Աϩ<i	KHkEMZ篖jE5;Ʒߟ0nNWsGXowQ7&G


r<ѝPtxW:-/q	YÏ
<y>0>y38qF>nNm6Y 1ӓp$n7rPc39$Iө(':nmuZj'k rvXh>Z|w*:!O~NOO
0}<7Y
͟AU $9
8Sppr)ȌؓQ\s%
k
:o
|75T*\rIXP&iMXI(V׺?;(U,ۚۘc<HS!ގZBSS(ݩ$E+牞^َןyŋ=.GXs]~r/WQlIMX
F
.RA	uZ(hdhJAk%l1\u@tleH 	<B||~{JNs
>JtPh>CiKe1ʇ*
ϸw朽kPPbWW
>ɋ{0[BUq^C	!<[F|XXV3eN׽A`>@|MBQ_ƈWӨuli-R`tGKȌņL>)Ȯ ֻsm\5'ǓV)לĉFg4rHUнkxgF7xv	OבD+&@Mk`243VG@]J4QcSCqW+**
a9xe\W[
&	!9]1-Rf^w$ vgE<?<aH)myMVWp	9<ϵ'bC׆7&I'v6#Vq
fo^Du\Ge;N", ?yNq	8]\4l
B
5e
vAh!-^*8t5s?BH飜ho1"v^
M.M~K8x>'OuLP\rly{,?dg(b9
p`yvZSZ	辂p[1ji^lb9Z]v M{jȞ+Ob_PeYLV a!Ҍ/rP
^ [@{ɽ=.%v@6^?OSoñp9O.gcaVe?Y٧g)Ʊ76ALFުВ{eJ?ODk!kO8-b[Ow[]F}h_ǎ}W^)	nJuɟ꺨!x]ZPDMu]7
jWBC#@z݊!ݜ[mZ
p#e>jJ*]!%^rPO٢X@@
Jw7WUA/9;cq%c'2aP*D{[0bE\Hi\W Im\cXŠ.2fx_ҭQ
c%b-oqJ_1w<t)3Q>5v	^֙h$#}5ӔP)  
)Gt#Q֝Y]nH00$$Vz tIe@O,ɴKUpXhަ>Kox~7Ҳ09uwHc˒'Bw
Y}tiZ曨r̀ȅp58[pZ]~C<58'#Џs^m_$HD}2?׵2y<6ZdP5(Ӷ3[NC|EyF}	-Kgں-ۜ\?vv'zE)Ԩs-.xb;Wܕ;QG||O'jdq<V
Q]D4)
?_H<Z.8]-_{#V]G9\L!!!2
0&!'iLKf.1s~յ&_P^u<,d]Va^P;{nh?jNCDDld_*,hv/+=7FeT\&㟾W7/?+lh[j$XNF|yHfW &3oe%`K9ɢڎoB
9a4(o58p5Z׃wpZq_+׶۶D[ v ")pR
'Fy)FlºΙ]Jr}Lry9\4`<ܤ12=gi-}ҿԙYd4/q7˻rg۾E3僾2
Myƒ)M+odcF'^VX^(N%\|yUCl, TsKY1d*̫I>oڇǢDgZ:04W$aqgoY|lMQc֢Z
u3IE
AfE@1͢jFHHOShI|c;ҢgL/LR:e#~'Ra9x)q"}ϡ!L׼7[W)BfOv`Bax%qЛ_	A[ۨB5¬EΓ/q黳i:R&0.nuÓDmf֌EI;zԑoGQhkȧ{j*VM:gtz2s:6O 
4;3p~KW]I6νfKzQ0d|6_3rHH* snЇ	*b5\VNadj+|_M"N2d3[4ݪt96~Û^RETOi8jŤ-Y7N4l뫗?]fPrBpGǆ/m]ܷWBE1͊RL
42:)rto$:#COrq<Arq85.j*i,8[5*֮Qf㕘'ZwiSۏqJO6@-
XJ&_TlРCZ	Ew<%gޗdBu"_G`b>Ið=jcFj._]`٨IG<w~w'z#,%9|__!zx9
i&ۍ>l%dКE4nK$<^jd	fBA-Az"UNQ0cpp&ɭo";~@g؅(?+(_TkUi`Bo{d13en*<.lfnG|g+Cz)S2ez
9Q;@c
vt (RS9{#ZqdM:'KhCg-7䲣h+}8)~
|VAʌۺ@A.6#IG92'396§⥿7#qĥnEtPѓo7#GDR{s0h!Ǡ0Y-TW@mr~U/LxF`XMJR
,MVKGu} <aԟ<^ۀ7ORqGyTF&ߦ}ԅrG&8|q`jŔVoǤU)-= -H
T*;usiP쉝J+Q.bXdMQ\ʚ'c?TIIgI/Ż`p1k5L;)מ"[8oRyJcP *Cs%kc4qͻËU1<c<|	T]iNwFH5߂VWys_Z=SƴqFZr@śQ&mEq@LUƬOs/Ec,6V,x/j2FJ};o*@hIŔsjҲ[1پ;Ҝ/ʕx~"L,A]}5K"1R9˲6+|/.z3ټ][?JM
waؼ}&ė[-@Y Ps+Yabp5aNU:)/ 9o`f.At9ߔz+©lHĕb4=(֙ V.t-p-X=\/T	vl!=0.ZsEHV&<.V-yѰ설-VC
uHG_?sѾǞZ                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       kwYr%]
öB3y˽ZRUv\R<3+	$l 	by|'ddlh$8vv7S;{N;{n[͚gt~M?7M?V[rٷ[v+vsMo鲏3庻ٮ[w@~mvyϙa<ͬxn7^~lO/wi3z%zRlw3m7u'~JUmۯ!y
|/U{w~#Ͳ}eh?l`86Zb
_}> b:Zq{LW-~{a+oel;lm7-n]n+~zބ?~Ώ"=l}mf7ڋՊ]nuo[Z~߉[="9EϾw;Yy.Ϧ#C*n ""2xImبg~b)hc_tVDvT%zIuI=lV""o_o[7|ա]0B/>=}巯zo͒Eg3Dz]zK{ò.URWtF}7:lvf~?X#baD{X͐5=5Kn;D^v}n5
~teD[H`vASȞ/כ'E]i%,ڡ_Fצ"+
ΆvXmt?K٘HKoH2frK=%n_y@ҽf{?~\͞s>Mڮof-$%kakZŹ~C'v_KHpvo
n'޴ïX֞oH'j&	n1Xyc6+ʅaBkRH,Ϫۓn}֙IMop6%Ь;;iWfBr':lnכiyaП^ͻ~|^>֠ݒ&X~P.X"x#OP/^wIؓKZ=If&fa(chIx|_X2߆:{zᮽEIK@+Kowبոҫ{Ebb.tmYbև{,7k$idaa=p펵73:_0X¿;/8VEj_ݮi%?@7f$૭.==S^Ԥ㕥\bsvmҒ|Z[{KLnX^\v'p64Be|]7-.0Շ{RCdy$۷3ugA#3;v1s>zFߓQ>'E܊ՃuChHxW2Kʻ:Ӄ|GC6.-eʲh6C_,I&ú1`fp.5Iw:.Ýы[6,gP}Fu.g"w'm{ܶt^Hf$5q: |}Dkg+r_"\:ޱ_oE/۵yF.%< ΂Exή ʹ*' >+o_)gx]'EѸ0<	$W^^,p{>cT$dX]l fJ0~+XN;g"͈!PG	~iMٱpܗO0rôM}=H
0={N+l ΜB7rE;r5u۶@ǜ2`Բ65)wXPrqڥ>m"^:=pilwxv}Շn!Kze׮u?ôNrnRGY]'V)"	_J%윶
'Ata+ّB܌#}L4]KC~`/[N:ؖN񮻦hZ6=)X
vsGhY.8v$
߮1(D5|HȈ\"/n@u Il+۾L(xq Kzߝ(99$jfG9'gcN<MȂfyЊhagCi#eD*
$=O~d\ĮV?E_":E!9*zPԵ	tSkr??l,\fEU{X6`:_m,beIIxg|1+r\!l-e!v)鋺{I%@KǰMn$t/$hITy zC7U$IbEEHWGkb/[%ߚ둜	ɍȴt|`ҫ}EPHnKI]y=d|<^\5y`ɃamZ/[^$r2>!xvK[*C,gt /Zv@K-p<qGrTXWpB2yK^Aȏn-|QB~Hr`wwQUA@o3)Fl\·}z
a=&Qxʘ]մN4`J$jA-XA_sMi}FrʹՑ\i`觹'D&Ҁ^2D;(rގ#-URmuK'Hqʪ>--]KԋI`٥iL/7?'xOT8Fs&j.^l~ޭ=c}$xUIV~#a{kӤ~b,ᩆHWG(la	Yp
=r8}fok"@5D<QaټAyY!xcv)nלPEMkyH i>[OQù `)֭`ZN\'Y(>s&,UJrWK4@\[:Ce՜ѕD}'ӏ7`Oϗ_yi>ar}Xiȥe2;TtD9Il'djª%p]|`oĢHٯ_]zuVXV$G>[$xK;:V'=:@-)i $ĹUolIkr7ql%	|R]0G<V]K@D~$
|>E*uݫ/~~W<?(L@2U:!=\XBG˪Uq
Qj@bPXz6]IͰBrXC|F4Q)x5WFNGjLD
uvJ_st[e$cN.[a1m p>LJBţ$֐ -r{ϼkKvak"x3wN COn,o%$s?pnQ=m29?_MҰcAcU$RcPQnnD#}trXO6.nZrǴL3&&Hl̾ __f^%՟"77ZEQ@:
amx$@Dmlu=I0)[GBYy4(fӰ5?F,1#k~<ќUXGKELF09l$*K_:
H	MMMb0@*A*dBAVԦ-3PMWS,"+&Pyfy ңy^SRS o- S쟳1АWӚ֓յ;Nl9k,pۖAN+>І]Њ(.J?Y1n"&w_} $EZ㑛j|+#JpVkFk_VUwy@h'f_6=Q)g@p}o\;9σB.\$Kt*'w-tISsO#|[#7?ۈWDIGkQK_rjATʱv-zGCɲȍ_f,VPa!˺u9
 F0HRfN?HL&<ќ"lA#xLUbl{'^BL_[
7سUxd ޳:s]$J_ȑx;
Ek+b;|0ĕ 
Cv8SeEf֧H~kɵ3A0mlF ɖMY]ԾH	cI+nvGͱb"7UWiϹP9ehM5,xkR(ujF326'J&[ٛL7a]m	mISۡ7^dVY=zGH| < 3q|$է>r	pNgt/N̯v	RY;	9OjԒEbAzU|aK:&J_rv2r54Հ9p_ob8	gp
͘Ί-EӰ9HxtG8rIL`!U^7۝[Qd}IMC^@YALYabc!K;>
UPF"T|?ޖ?+tfy@UyºŘPϑmWq8+،Db{ڱ`$z]+AbEVe$YWl+hX
A%qz4`m l&y'o5M-l&M|z+IyZ#k^:8pu)̝XkCwGD1Num*K'}]	S4µkO#e1OC8g-2|FpRŀv{O ͢+OB??%ܶ()bm]p&Kz
/=k"byΊE+1Wv"1{~F#a)ۮTW|g^.;D',	9HtP@3(=%2Z@[x,?ˊ
(SA	I
bg.-roIU:r0ɸxpy^&ƿp$z8Hudːw.@%i>QQ-3+hoĭ Eڸi)"xY:j L_08
;"-*K7ce#-dQgNbx>+)>ʱCFbL[bQ6⸞З~)g!T0WH"Ǒ^r-)d`oj&RnT&Ta a
S@\ 
Β(d4[4ZG^g=f.v!,¹'ԔWuP^جfK5rX-tpK,N|vUy~ZUABpv^^P'ty
yuFCKqk,ӓHPMn3ޭʍ>僴n{6Mo_ǽIW[mb&_,|=Ö]wpV|RәU~hydq%&ntqazG$H˄<LܧX:t-0v`񠉯˿mА5I=	x
W&!o+
˻Hߝ1t6>GkSu;,@<5+pm//XHpnكzT˖WMBv_/|WFdע!!Xa	U~9I|lRbPXʠ_?GQ'{Q	'ꕳ`Ϗ_
"Da=1yf%KgQwWMIY Wdӌ3b K 9>;pis%
k./W\qLn-t37/Sy/"dIJN8=+xgtOgA}K
=|.ǘ 
~@oYI7@HϑƃX[Y \]1|hiĕġ`3c$	WΒbo
;:9I߾gC6D/V*٠3?E\h{C_Mcۏ&ia\:ɰኄ"zbvVt@qlۦv<*]ZIq>͙0!Wb [@Z`(G,d䰶wV1VVub_O)e}{
q&HdHUS9gy~u+ܡa׽XTeNvI
j}҅U)ys4UpxF}6Zl5=ri)^$ ;Oysv=s
(XFr-+<B3y\
ְDpy}q&
mS4uŧEg<Gel~._eQsу [EOuӍ)jE?p6jSNzwYT`ra?6WΖ۵źDN̾
RreJO0 ^5ͬ?>
i
M̃Q?WRP֌"aÖ受@b _8â ʓBG<?q6.~DFyR^* ~M&@'M7x8k+:>u
W֊`m\#Ty?BOea3ov#8pfKkKw_*7nD'{'V\"B^ޏݝ8ض-n1װ[t|HnݲCNvs{-J`p:;$Y_srŃG}	Qy$4!*X_X^9=o&
Jn%ErTKcd+g7UR庑mŏj{#R{`=jCiox9Q[HC'5TnȑUiC oqͰR&~R*%ۃ^^|ٜlÉF&䢋ăJo!c'UC(޲DMF)oH\nr	ώx
Ѓq%[ّqN<$Cea~U,`(w\SZgz"g½E5vp +Ȭ2'OM$*&ķ\
F-.*;nj).vWPUhIFYNlx4Y+}>L.
p)T#o0Y l
6܋i£UihXS0\,0i^ָ&j}ҊYe(P)fϖwEKkJ@
.و@N7)Mifrk7K٫@˟?2%;)9WV1,^#085!ʂ(f39ȣ~U*kb=pܮCΕRRi$u
$7#YP\0u⑤4,3*{NAv4r3
vu!nKqp{ i-𐐲^Tӹ$
't<7':N(-բe4}5}vNV~{^}p Pwsj)N]Iw 1ӫo*H?	5q%8;<>R(lJ+ĀZXQP
\eV
.
,} ٽkIˎ|+݇R	t1)`(J3Vk(~n$-GEm)TlY\ٽ vZ咤I'D*=[ls00$,24kL³eSohHFiiYSo^]z_ҙ<<lmݜ	d<MLՑ۾&W"qU$';=ԏ
0b3Etg[UY6ziŇ\e]4
&gٌNgw-NU/t{K~#-ׇ.62w*gS"fQ ##޳bCa_0#$1%@/e-j;/S݊İꁺ.-h_J
g5%O
T`; D\vϾn{[;4	
I!YZSZ({ܮ]ܸ> ?E4o[L
ˋ/8z(,ϐQ8CrdQ,̗;c$=	kkؑw>(K>i|6#l SRNa0'w~ ɒvE,2FwA//~3cQaG=`FJܹeR^î;խ%<EAįk9'
o͐b)dz@XOSRL.eHłzAGBʹ̖tn;8}	p7K5+I9ޅ	X~s5.AC0$,FqCH\<*bQ&+?ö[!"w%4-kiNy3FFUB/進(Ǚa<gI\G:B6m[&Q~^4kE#2M"aML!wOv7l#zPfwfۢlŭgLHʘ
l:>גy Vy[3$)2bWz(DDB=Wt\_Vq'ڰ--iГ~p>5❲DQ&B`KlsOgiI
5p1
VBUa] x8S_@ӕ֕j¯0ws~Q6qɓ\iVI.^9QBM0+1IJlw`-2Wf1InU-*3!.ȪnWs9!/Љ"0䚤hUY2r-v-ⲻ8ݢxŁVi z}@MZz X?.5r3BqIjƳZs܂ΝmnEr};$u" ?pKa͵M]uj۫=3`~[)6s;hhKA-(RѤyԚZm/H\̈́VTz=m<1n-v-tQ+}C5ɽ"k,:tkTH

fT'(Ǒ-WgVXs ӥ\ZwN5 ?%7WpVI޾JUGh|8ՔA.wY8M_o.2O2r[x4epsT]uЄwhiZ9>@r|WsgEM\%NㅱyX
!
pꞽzP\bTjn3SC3|Qz9F
@Ӆ3Z=n7b9r
gJb{uZ@Ja!+I>)
իs$u@F(씆SR~ȕGհwpyvQ!*wO+Ä[THDrI[i#/ɣ'w.ª[\OTL9t&ߛ3n0G/zXUgp !v/ra*pGxVa8lӑK:z>𛤟^9_;򜧂N95MrzOҋ; Rd
qseƘ	UgL4vOEܶ:~7wwQkF=T?M:wϠXE~tљ̗/'GjQDIG,63]A[`/+_R(9ɗLp|ꃞo {Ѱn y<
s!IJ%~!TŇHR̸D\ӓ4F#,>󌅞;r[DgjaY9W(>7mp'F]V_[x=c1Zc3Qf%c h{^
jkiάL_H+ ' Ϸ Ovx:Y[ōٙDBs/*~aEJ.g\u6qgD~zݭ=pgՔ}vyX<-s2|!tfV?a,[F%9Z=(ӶSn1g=-"҅dU7Q9MU;GRõA"G (ZZE\P^wK-fwmUs@vI"3?!Zɢhy̚ȋ,s;M;-ӜHU>X?Hwlӥ<_v1D{v?=6ڪ۬IወS+wVJ
Z11#~!bk*S'q.ab{"yB'+d[Gt7/9"f=
f}|׈'M(F#]i)POr"-}b a=xRlgW}4;nL>ۑ&A7Oba8].DU
i`h{~0&B[.9V+ax<%ko.;g6?*#C'vS>":uVI&KQıD 50WJTX\	Ig
yAYep؀EP2 2

ݦB`,}ދW#R{6͔RtZNDmڭɖ%Μ6./ף|;:W+nne_eдPS{QB)_|hn#]qşSH[tI⑫뵊&c>U&ꀩ<8 ?҃Ry->srPA)
Jܨ*N&񸑍M	!͹*䛥),Kbҥ=0(ńG$DbY0ǟԮIYJEOtNɥ7#|e2Lv1ZlW'mίsAW!yTrvLsq#;HZ}nXT9xA4}f=L
cs7>"wi	}$y0UVZ%O۸,xk
}$U1֤{6-Ȇ$8>qE1g
d(l	:5A$
j
pHw=u~S@gy..Mao7U3};kd7
(!}mX%	[OgMI1D"E:gNu:B8Ŕ\;ߒ/!3)2L]m=Ϟf#RԚOYR;Cyn~W*emD"cľK_CXhf.ё4[YÖd8tIpa\
.r#mlb%E>Uoo
<?3]Q%$b0sGmMj
<42:PM҈d9k(̃Y0SBZxgZ
ǞI.xGHҞ&>5k+):qasɤthG0]v[P 	ea}5S(x39A1$:9-_6A;it؅65hz!9f)h>
ݪ
8"íTLVj
<<EwI!+=%{H$P3=GI#Q#WG`^1 "'p?VB+ x*l#+)#O,0Db
tf:K1E5	j%Ѱg߾˰zFgSK;wral4sZY5?<ЃrXZd/{1+#`TmLG]N
Oeޞ_\yb<"'7Gp2cjq8+^-(kԛ_GeOҸ{`U<IA2K8)I]>7*ifTa_" JR0$]!kOv['{uiN`o$Is%(Q1rcJݪƎOLTn5sqT;̘5Y2 'z7310Cťh%UUtq]hIx|%/jν2"to~T5e(nuVei[KI
\ԼEwhf1Ky.8-|1Sk|&7ѹq'2̨84odpK-5W
ũ2=O-|΅KolB70Q?ZMWpc:ކvF/a@FS!H3	{awLIn<i:J:9:=yU33V룤Rc_&.)yd!<Wy]3+	iP}<iݵaFЏoD8U!y}H短 YP2@id/2LO߀Z#c/&z≌K4MwEfR9pE .;6b3,΀]7bbE^g\CTDO槮l%~veѼJ] FeT#(=8iG/МbŤCfwvM(B|j'B	!l0^gENE"yDGUrb8Ko%2d}[5WhnK%Yg3wM
v/ð.QnwK`K"M-]LB*o\&Id?D{|Y<Z)MLR_ʸ*Yxv1*;q
>BY9wc<}E&IcUP!;C83'j+dE4R	uhB[tEc_nGA=9\"K8x١)ܓ"
g:A:<'2q;\U~yp͎cø&-|ǪEM`S'EYU3Mqӳwqxv-@{К}hm.,Y=bfO⾯vxf{2Y\G$>
3E=&LסDNP6<4I7٢9YnEIWk;)'ve\PF|
Tpq"!`,P/O=ou"MJ9J´㦌^6ݽDY:s3$>Qk7-bn2Z)lLqWԋ'˭Fjw'KA  R65ܑc P}ɴ(YA	J`_x͍}"~Zdr=u$UP
?z@UɓN:טןYg4*No`ot#h#srt$)թ[.6\zA{|@FU
,eTW,֒psc&输ǲ:^Zw]ŴȈe~$}hمȥʧ;Ǥ;D" ڌEZZKo3$C-f3[[l(޿U<cIiF@-0/*6`5(XDYKJegbvb&JTyҳ6ӴZ"}+V#3&կw]\wCTCя)s]s1 b
kj#>zVBŴַja1: u+i%r9CH~i9yQPF
3.>iLXKfMe\`M&ϙOB+v%[-I]7?TȅXгR^G!PNhe3)C-eQ<Lt6$Z4%KjX9'iNʠmx)-?QH|w޼5sa(`R<7 HG>><xY1fn7㜙0n'xe$
hbe*a_by
X0͈8=S*fT/JsC#gD<4n{mȽN_><qy4ěKzftza%VCV2%onח#fYSuPVCY-j7Phk{%;}xkcQ ΧФI.X8jkj\bi4\ˤ}aUs^mﻝD-}?`mQJSZȅcN'xw`""G]NzY$$%,a&?H
6:{=_"%WU:1M&`k.y&ȍ/\W?*'nKdBkQ{H_Tyi<%3gу);-?<\}H'$+sO,,=q3ӂԪ&9p{[+&UI	KUgL0G<dX$5g8{d$KfYV1kC,(q$.2~7*t6z~vO8ƟK8<7y9Э4Ϊ?[~.9Ƀ-m5<N˕[ۼE/"}.gL1Ig-,BZ0êYWȔ`B	|paM!×ʖ9eU$glmf=z-'PGZp}?VOҬӉ>(AqK-o1)ñiaU_e5)%E)͈F&'L55b:wSQ}*7z!TZj-%0~JS0ln=},u_|1W962Gc(!=z|xǇlikOz#*ecfc1!KǉUxh"@yV
	"0%,ܯݛz?cYcǟ~&.};F=f(FzCH05=}LF)Kn^(
R2d"/gi^
+-K~a	fw׋ vI$T@]Ost'>Gpvv݂gy2Z[(]4n]s$'q!+]"'^oXݕTRL% `^
IRk)'f(joZ='5/#NyԾ;aoMsjvXuZ;
 
l6硫t6!P"4NM0KbUt7҅AȈUg'f*.%cM"rƓX?ufXcL62ϩR=RcBQt TB_. ,Z01&jwj"D<ȽN߱꿽cd}b稙w)̌ua<iR<VpGmeix׵MU G0fTxr}w>KｯMRئ!ZC
X͟4h9!_X߷;BjZ(L#֛f918ZB.L<|v\Ʉw賄<NT{.ouRJy8k򄑍r\%rz!-ҠzK۩͚֫	F{,lqUN;CHA%k5˛opP1oQY]&P=Liٜ*	)S%|***Gd5G6Zwr!ryQ"|x,/\AXg~4̨8ʕB(/p2)]_:4&AȨ5I<qM)"ݸ^E_5m)'*Hk'lpwT7}weVĴU>;z)n=hz#`J$Jxk~w IP
v̨?1?x!';'̭hR;iha$v&BGT5#DCsqzR\9[EH4\=2YEX׹*"ٚGzyrβ9jUȑj~/*GpaoypL)d''ٛW~ݭC?Z<fd\IVj(z]6*J4fi0@1vC;o;Xy?sb*WmV=Ǘ<	#RhGm G>zT9|7uɴ)~	(	D	(M/Ǔ1rF7?
1p@.Px@
!Q^}3;h-Yԕ?	m?GI+3aRTtYA?Nym&b`/wS
$b14~Ia|ʻ]X^1'pUjԂrDQ?bx*ȩ
L0pjF*8N7kZ1l%oĩTA$L&93Kq&c;HKsGJh1
ʟBsf}0/.3-
TԒx)X0Mug^&zrV=Б-Fۋ[}3X!6?--2[qZ\-TM5nb -oSHE[&} )nZO&'UԹCQUY}R
P%'4Oդ590i4;~	;",U.z:\wFuv$>NCg
Ip>%k$~pS0ꁢdqTiN
7v<$sƝiU=UUjsqHfiÅ_Z9DQAԸ;Yzohل~`Yk޲m&ϔ8mzү0l,Rԏx݄2y	#nx
ROWH|mwOm%#2?s 7\PDAxS
RseIBh7שF
njKrFY-ۦsdb0Da%#
NZIG4lR暱+!g]!xkb>v%,"Ҷѵ>'TlQR14KIwCSu!=+Јk&ZIx2,
˥1%H!U-a8\m]V~__ڈK(:&Q;pN &󤫼ykAs^A0Iiyy:9qϪ&> v1es@F$#iun=;2uW3KԋxT$T=I6XصaBdV9 Z]R"=98&XS&G$I1Q:VY;91Я:?<v53
 u/cI}$>8ˑXX)摄
֠PT5A~Uʋb'gT-'5lͷbsHm{Ƀt=C|0%lold3\߅D&PC_MYJznt¥@34
ux`vdt,8˰-86\l =m
MWHy<8}Qkt_Zk>dr|NVu_plKk旚XB<\u*Q'fd=ڵ6}nBD~!N
'Un/4ťj>z&s)C:CU#?a8
mﵩtFR¿K %JR 2]_Gܗ2>Nh?*}g#H#\5ľNOыb6Î2֖jnjcwR/j )ꠟV#أL]ᖵKHMϲpFR"~W82ׂ}C'>nDml(Uc9[|
.u/7
}U׹bv	+ƔiɌ]_#SI`'7
Yoy<WP/d~`*Qvɷ3RrEh!Iy; jitL9֖GC=w('yۯfv=Lqj[RwݓC$%CL\
,ZKت3\?˜F]c$$e0ekv̅wHꌫp{s20fX2!Ia?_o_c,mU	&M\Za'1mB1.ّ;pv۵t
G*<ЩYwÝzQ2'?9rau}'$=inUbu!R37lIi]u!#ne~NDNƌ:ε&'1!G\kEB7AL0ԗ.H#?|廯[pWH?j.MsE苚
n`XL^Ӫd疋	σ/8/oRs5#
ւB*7@oyvuY[2m1&Ė'E宻 V)jrdc:1<ч
j;vZʣ.9.B
^vs(2X΂_/R'Upɑ$6%#M]6VWZP)$Lna˒,?kZ?PA!vz+6& |WD?wo<O9Au<</\׻G]z4TO쮫[3
@GϽM>SZWs]r'rQx։WXOXvYt|5F j\BJ&at,zhK?L1ioڸG:mз.$|
<=F<"iYd,p ։s(Ņ b-I0RV[z(|d)W6>|DwσTJ:RbAmeD 7v 60˛k,n'Ǩb4fHޞ3c;B~0.IC ʰJ{
Ne?=+oiӬS	EFIxOM+u!yH(6G!:f!4VLKF:S6OFYbSmM*D&o*gGϗzyL{4I|@76	 +袢zieuW=b8͌f!uyO0j*lNL/5r/{}7t|8Oe'4WnS 5¿H+D:L^+syrj8
:]T9C[Hq6!K-ѰyZRS
NDVZ m-UOC^![rL	7%MJk$D#$-T	g;+-cu2B.\>U,AJwHowhLy:iaQ MD%vB PKv,ŅߩMP
Lg!y+/
e,yi(
x6BئuڿZHCQ%4I|hpӱ֘MR>tY::LٔY('si4dz40J5@ƴ)4O)6]aN%Eb֓zB:!UVe-Jv%,	N[No פގ5n&rPBIqr5Px?fnR9"[n$=\`bh&8;^_JK%AkՓ)l:훯滗)-[uZq%KHL)F71q,Zu*8"L1vy0L):1E7|'7ȁSZ,K}gy7_~6ERhI
2}B' J"a.yi0-&
?eLʒpM":uK1he1rR;l&)-v
vqLE_
KldWmh(ƢO<>Vܽ2f.#yĺP@(͹J$Ik:yS<Х`&!UsU;2_Zwd0
K=&5\5-{޸ V[N3o%-=O^:]к|Woiϴ()v4\GwxHQU-̾+H'{$>2jJ Tˠ7d,+t`jȲRʖX
V3É-1ҖT߬.n3L۰Dm_;\{eInXCeJ!6l/02;KJ*w\yiy-QGHڸ\M.5DIaWH"[T6FmX@fIKW0cyꛢxI:dZ̭9`}߾^-}"ElQNIaLy'.(f⊮,h?
I
\%1*M=מUd<s&,MwגrH+x|bf>t#0:@2aiҢp.ӓxpҿ^[Pf$z̞iVm[RJOi	O&<iUN$-kB@(P~$.R	6M+Ar*Jni@d4y_c긐Mdվҍ~uб:4rљԲsWQ'ɬSK&NH +#{8VLKI%vG^|fji	?t̃<vtM|w?$2V59]oOhi+|dIKP<_Q-7e-m|@O,/Ya6;0乓E5zہS|S𜜙][)۫A.&QI߄9Y/kZhn1\}TYhr"V3nk 
9J1kWNl>'G(oypZw	Guoݾ;$afNYdOS`wx 'ꋤ3)Kàz<&Pُfl(hl|5H-~_rH7_Cn׋?+i$Q _F)mwƊh3>6/Rw	<ƌ׵&r!h
|c\	& \8n>zDyHչv8#%Ymô>xh0hI1.D%3u>o̕ H.{
p-?ua
R巫~6ϜVɭ.	25(bT(O8w+WKK%00'hnPu(=+* 	CaCV{?XS7t}:Ôڲ	Ϩ=#AO䒧Ӡc\fm%]W77[-g5ܷwbӇӏNK'f7o ).[_:RYcER]g,űq6 Fq6dWmϨzq}_"+O*(9]ڮJ61Bfng]^NP9-V~3CM2
aGbNh:(6
jඈ2kfe
1l$U,'
$MjSX}RDtihfkǩH.ZkFNgquK(rUz&($.rdd\cƴE};Շ_@BD2~,rBt98܎ZdܧT/~k	޾|InKNgk,#щlr|࠾o`Q$+|
o"9`&LkFgEkGE$lB-jǧ}薑MM
Hx6+벶F$6Vpl,2P)4`'`<	u^JO31eyhBi ?=ZKA^vRƹWDurc)0D#<Ui)0ryK|lOK잕~Pξxyƽ	
L f-Iky@ED?%Z1 .Si[/Ӧ	NqRtnW	$;|wsꦍ
h4rٰAג65	JtT{]7QSе7s!mD2t%)m▋uUG-xF
(ӡX#(Դ(5O,#-4qg {-E`S)7X<^qAnR)L4/y<x2W%*tvÕ
ͻ~|zd4rU6;WjJ1 V#	R&+NZ|E'Rc||絋⩉\b)
lXmU`B?:(ƄLBHD#7Ʌ߭Z{+a¼HZ3QU..4 D0Y\8vz݁`:2IT$Gl=ay2&͆DVY@5 G	(RȁSH!!M㟔Ϭ
!M=>EYpYXpӒ{8/*K-	 n$:z67+Ullʴ].O!4LMyI=ÓLՆ,g4X8ׁR~ ~wr,(O#u8 ]v[GA!r<<D(rN QgdtsƢA*x!ϭL,d{Lz\Hݤx2HPTt*ªϞ꯼,D>;΋ޑ7$4؝RpTDY1
9)Qf+
2QJ1Uhk#U=g{-3O)Z1R@JN!1jeN.(ז?<;"[qA?ɩU`f#n[6qChԶ
ʾ!JR\(a2LR#u1ie-xg槍oe59umB7l.!$M	I5qJ_͏77,}Oz1ݖiO|#ΐ<
Rq&Hso1D,o~?J-5Hwzy.tyWQDN#0̗Uu!
\F*IaxLLp<0<2xZ{1FCm76a)
^Ak
:3V*te5'Bh*8鷴Z(C$kf#Caa{O3G$nesڱ=Y/l=tmӂ
P1YՊ
cO *T7m*63*P%}_{8
/Wru^ADn
r.\:i&2z+.nЉ7tb~-BLz?!

tƻ!
Kt/W|Z-Qu9A5H5{au/~s@^+"F21 HYQ\gpFu|}- oBǾ:b I5|<o&l(Z?TyeV1+}~?RKmʑqX{h[84lĦܔ~N["=pD0Hk)oex@V>-RQ#<A4$Ӿe+^]Cct-7}|3S*ۜA>0.-,9X]x52ҺreӦXKmAIN";=w3UGC.0'd.4vxodeOdYRPX]d.PMg,% LU @AJ3%1|)N]MZ&^XMP^eԲJ0
>gYlQD6ch2O~ě$cCg	q{ꎂ$}Z0=	!lE]a'l?*E*ܧFOSC܉ڱT?Q4A!3^yÃx"H*p̤i>+q=MQ)[z|,n4]O 6;ŝ9+ʲoQF	}r^%o[gz+`wIwi
*dR_glR AO,pS
m򹧷9O=Dk׋wϻ#&$eDewR[pfUAWNr(T}I]):Xܺ1%ј̔\MJwͮ.xC˅fH܊ɧC9veNz W|9R nI qA[u>׉`Z<ZXQ|q3pIA1~c}q
%_=vGgGuf<ש
e
+X_x
{@x1z}V)XK3_Gu"nۍt`eɇy@ba	)%ͬOY^9|t=2Ic\)'}Ů`~ < XK'KOp[:O-yKv#y{ѱSxL^P#fC@a1֛0GFo0@-`։J'U8[gZ/N\wPb{;Cסv*4mFQD
}o@r & iʢXѯ`y`	uFhinj[M&)׵ٗ+u`Xn0v%iUK6d'ux-"lo11%u$R}'ҐH}{fdsEJU*4W4Q]'t<GWQy#(o=2$C/^N+
OjMNb29ĨJ k#}5;ɋ[)fhc,ʅ-0I4
M-LeC(^#(RnҺՎx7X[KEMF]+mT:af>OTؘk6YU`-UcP Ey-;6 #GB}78e߿җ{'ݸf;'0ta.hOϵ5F]ƺD2HZP-x,3TX!]|z'enEGЉg,N59.,v*]-
U>O|:7BI׋&#צl"q`a4YRMȌo6V,SbyX]mi;N\M3c9qWAiϻ͒:I4kLIsYF['k;5dx(5Bїw3+[mwP>6G:%S4ʢ߻-i	lKy[A^ْgB{YqVUi6=+B,]D'@|E(C p~2B)*vdV./iiSyV!.;N5S?s@YҊEO83Мj:~z悑X -p:z>l3ГyiƦ]f_퟊4פEvWTgquG`K8Ruoq㔹ۑe3YOٟ99~_KzhYL
0bVQgvs,]3fQZf\Q#B>{HlLf_P@@A&/#	S'Sw<S=y8}^Î=zn+CiݘEI-k1><}mUVFRp:~^ZƷ
2͓G؎.&4~OԞZPBKn uJ
%V>g<^Z'բ .p՜^B*>VneX&)yQ  <H uC.f?u\)2۴d]ˬqiRLcL8ďa:*c>fh8ӇɘѰY^\GXpfUWLF[f9BFhG 7ô%Sl
Upcv:+#3-V,6hQuP=mi%mS]{A
Ĭ`Rˈȕ[Ƙ0ʁ
{+wI7d&v2y??P`YI*\G`ta)<?IR)rn(t9i@J8b~I4@'~dTLQ3?t~|HYSeؽ[~TIh"jIj,(ϴW-N6Z8
"?*^阓p)J;_21T<5<*߱~_HtpC	'Dtfq/iB+E7?)Q%''Gb@B>ѽA(An򂽽rS/pjfAGzE R޾}_<
xНJZю͇gQ#>MIR3fHI|Ȥxzc}v?>wC76M-[3NBhkoqq_UN2ź6"ڸ gRy\DrڣEtenXb`7KO|oqj?ϯN& i	:b
U{ðt<<o2Ounjēs@:Rh͗\nk5!׻QeǄ}7?w҃ة[4`dč"7//^y͠8|ۍB^~aw6.dTb!vRiOT.\eHUJl$$spĥ^-czLbn+8سu89ک/lo-GAw ismܶ[=EƌMh9}Hey{"d0+̦O}1h ].@-gٮ𡚔2k`=A0RPg?H<ɜ
#RptSDOvA[F!J._S@wfkփŬ=1;)P/>E9/;
}[U3}ma 0*Ϙ~~Psce8EozC ƆI#Pܮ`C`1eļ41(-Q%V~5Anix4E A8rI|XH[D~߾y5V+5@C[lsd,yę.hnv~ ٷfBo,	;N&EYdTc?:os>LjwXǹG3}[q<L;yLCU/M~k<"[:vv=hZJ!cqق
26v<T	LCL\4`fhe-*yC bdO~_9I@ۀg_s<8ˢ5j;y,4n=/R~ aM
#yF,6	g$-y(xDbA.#gQ%pVmK d{
Og @#=>1ɏ07pL$7|GnFUNHBP                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   Format: https://www.debian.org/doc/packaging-manuals/copyright-format/1.0/
Upstream-Name: vim
Source: https://github.com/vim/vim

Files: *
Copyright: 2001-2022 Bram Moolenaar <Bram@vim.org>
           2006 Benji Fisher <benji@member.ams.org>
           1999-2021 Charles E. Campbell, Jr. <drchip@campbellfamily.biz>
           2003 Fred Barnes
           2003 Mario Schweigler
           2004-2008 Michael Geddes
           2006 Martin Krischik
           2015 Christian Brabandt
           2014 David Necas (Yeti)
           2009-2013 Steven Oliver
           2012 Hong Xu
           2001-2022 MURAOKA Taro <koron.kaoriya@gmail.com>
           2001 Bohdan Vlasyuk <bohdan@vstu.edu.ua>
           2003-2022 Ernest Adrogué <eadrogue@gmx.net>
           2005,2006,2008,2010 Kevin Patrick Scannell <kscanne@gmail.com>
           1997 Olaf Seibert
           2002 E. I. DuPont de Nemours and Company, Inc
           Pablo Ariel Kohan
           2017 Eugene Ciurana
           2017 Ken Takata
           2019 Agilent Technologies, Inc.
License: Vim

Files: runtime/doc/*
Copyright: 1988-2003 Bram Moolenaar <Bram@vim.org>
License: OPL-1+
Comment: No license options are exercised.  See https://bugs.debian.org/384019
 for discussions confirming DFSG-ness of this license when no options are
 exercised.

Files:
 runtime/indent/cmake.vim
 runtime/indent/elm.vim
 runtime/syntax/cmake.vim
 runtime/syntax/elm.vim
 runtime/syntax/go.vim
 runtime/syntax/proto.vim
 runtime/syntax/tpp.vim
Copyright: Andy Cedilnik <andy.cedilnik@kitware.com>
           Karthik Krishnan <kartik.krishnan@kitware.com>
           Dimitri Merejkowsky <d.merej@gmail.com>
           Gerfried Fuchs <alfie@ist.org>
           Joseph Hager <ajhager@gmail.com>
           2008 Google Inc.
           2009 The Go Authors
License: BSD-3-clause

Files:
 runtime/ftplugin/jsonc.vim
 runtime/ftplugin/julia.vim
 runtime/ftplugin/wast.vim
 runtime/indent/julia.vim
 runtime/indent/wast.vim
 runtime/syntax/bitbake.vim
 runtime/syntax/json.vim
 runtime/syntax/jsonc.vim
 runtime/syntax/julia.vim
 runtime/syntax/nix.vim
 runtime/syntax/wast.vim
Copyright:
 2013 Jeroen Ruigrok van der Werven, Eli Parra
 2016 rhysd
 2021 Izhak Jakov
 2012-2016 Carlo Baldassi
 2004 Chris Larson
 2008 Ricardo Salveti
 2022 Daiderd Jordan
 2022 James Fleming
License: Expat

Files: runtime/syntax/tmux.vim
Copyright: Eric Pruitt <eric.pruitt@gmail.com>
License: BSD-2-clause

Files: runtime/syntax/rust.vim
       runtime/autoload/rust.vim
       runtime/autoload/rustfmt.vim
       runtime/ftplugin/rust.vim
       runtime/indent/rust.vim
       runtime/compiler/cargo.vim
Copyright: 2015 The Rust Project Developers
License: Apache or Expat

Files: runtime/tools/efm_perl.pl
Copyright: 2001 Joerg Ziefle <joerg.ziefle@gmx.de>
License: GPL-1+ or Artistic-1

Files: src/libvterm/*
Copyright: 2008 Paul Evans <leonerd@leonerd.org.uk>
License: Expat

Files: src/regexp_bt.c
Copyright: 1986 University of Toronto
License: Vim-Regexp

Files: src/if_xcmdsrv.c
Copyright: Copyright (c) 1989-1993 The Regents of the University of California.
License: UC

Files: src/tee/tee.c
Copyright: 1996, Paul Slootman
License: public-domain

Files: src/xxd/*
Copyright: 1990-1998 by Juergen Weigert (jnweiger@informatik.uni-erlangen.de)
License: Expat or GPL-2

Files: src/install-sh
Copyright: 1987, 1988, 1994 X Consortium
License: X11

Files: src/gui_gtk_vms.h
Copyright: 2000 Compaq Computer Corporation
License: Compaq

Files: src/pty.c
Copyright: 1993 Juergen Weigert (jnweiger@immd4.informatik.uni-erlangen.de)
           1993 Michael Schroeder (mlschroe@immd4.informatik.uni-erlangen.de)
           1987 Oliver Laumann
License: GPL-2+

Files: src/iscygpty.*
Copyright: 2015-2017 K.Takata
License: Expat or Vim

Files: src/xpm/*
Copyright: 1989-95 GROUPE BULL
License: XPM

Files: src/xdiff/*
Copyright: 2003-2016 Davide Libenzi, Johannes E. Schindelin
License: LGPL-2.1+

Files: src/xdiff/xhistogram.c
Copyright: 2010 Google Inc. and other copyright owners as documented in JGit's IP log
License: EDL-1

Files:
 runtime/compiler/powershell.vim
 runtime/doc/ft_ps1.txt
 runtime/ftplugin/ps1.vim
 runtime/ftplugin/ps1xml.vim
 runtime/ftplugin/swift.vim
 runtime/ftplugin/swiftgyb.vim
 runtime/indent/ps1.vim
 runtime/syntax/ps1.vim
 runtime/syntax/ps1xml.vim
 runtime/syntax/sil.vim
 runtime/syntax/swift.vim
 runtime/syntax/swiftgyb.vim
Copyright:
 2014-2020 Apple Inc. and the Swift project authors
 2005-2021 Peter Provost
License: Apache

Files: runtime/syntax/poke.vim
Copyright: 2021 Matthew T. Ihlenfield
License: GPL-3+

License: Vim
 I)  There are no restrictions on distributing unmodified copies of Vim except
     that they must include this license text.  You can also distribute
     unmodified parts of Vim, likewise unrestricted except that they must
     include this license text.  You are also allowed to include executables
     that you made from the unmodified Vim sources, plus your own usage
     examples and Vim scripts.
 .
 II) It is allowed to distribute a modified (or extended) version of Vim,
     including executables and/or source code, when the following four
     conditions are met:
     1) This license text must be included unmodified.
     2) The modified Vim must be distributed in one of the following five ways:
        a) If you make changes to Vim yourself, you must clearly describe in
           the distribution how to contact you.  When the maintainer asks you
           (in any way) for a copy of the modified Vim you distributed, you
           must make your changes, including source code, available to the
           maintainer without fee.  The maintainer reserves the right to
           include your changes in the official version of Vim.  What the
           maintainer will do with your changes and under what license they
           will be distributed is negotiable.  If there has been no negotiation
           then this license, or a later version, also applies to your changes.
           The current maintainer is Bram Moolenaar <Bram@vim.org>.  If this
           changes it will be announced in appropriate places (most likely
           vim.sf.net, www.vim.org and/or comp.editors).  When it is completely
           impossible to contact the maintainer, the obligation to send him
           your changes ceases.  Once the maintainer has confirmed that he has
           received your changes they will not have to be sent again.
        b) If you have received a modified Vim that was distributed as
           mentioned under a) you are allowed to further distribute it
           unmodified, as mentioned at I).  If you make additional changes the
           text under a) applies to those changes.
        c) Provide all the changes, including source code, with every copy of
           the modified Vim you distribute.  This may be done in the form of a
           context diff.  You can choose what license to use for new code you
           add.  The changes and their license must not restrict others from
           making their own changes to the official version of Vim.
        d) When you have a modified Vim which includes changes as mentioned
           under c), you can distribute it without the source code for the
           changes if the following three conditions are met:
           - The license that applies to the changes permits you to distribute
             the changes to the Vim maintainer without fee or restriction, and
             permits the Vim maintainer to include the changes in the official
             version of Vim without fee or restriction.
           - You keep the changes for at least three years after last
             distributing the corresponding modified Vim.  When the maintainer
             or someone who you distributed the modified Vim to asks you (in
             any way) for the changes within this period, you must make them
             available to him.
           - You clearly describe in the distribution how to contact you.  This
             contact information must remain valid for at least three years
             after last distributing the corresponding modified Vim, or as long
             as possible.
        e) When the GNU General Public License (GPL) applies to the changes,
           you can distribute the modified Vim under the GNU GPL version 2 or
           any later version.
     3) A message must be added, at least in the output of the ":version"
        command and in the intro screen, such that the user of the modified Vim
        is able to see that it was modified.  When distributing as mentioned
        under 2)e) adding the message is only required for as far as this does
        not conflict with the license used for the changes.
     4) The contact information as required under 2)a) and 2)d) must not be
        removed or changed, except that the person himself can make
        corrections.
 .
 III) If you distribute a modified version of Vim, you are encouraged to use
      the Vim license for your changes and make them available to the
      maintainer, including the source code.  The preferred way to do this is
      by e-mail or by uploading the files to a server and e-mailing the URL.
      If the number of changes is small (e.g., a modified Makefile) e-mailing a
      context diff will do.  The e-mail address to be used is
      <maintainer@vim.org>
 .
 IV)  It is not allowed to remove this license from the distribution of the Vim
      sources, parts of it or from a modified version.  You may use this
      license for previous Vim releases instead of the license that they came
      with, at your option.

License: OPL-1+
 I. REQUIREMENTS ON BOTH UNMODIFIED AND MODIFIED VERSIONS
 .
 The Open Publication works may be reproduced and distributed in whole or in
 part, in any medium physical or electronic, provided that the terms of this
 license are adhered to, and that this license or an incorporation of it by
 reference (with any options elected by the author(s) and/or publisher) is
 displayed in the reproduction.
 .
 Proper form for an incorporation by reference is as follows:
 .
     Copyright (c) <year> by <author's name or designee>. This material may be
     distributed only subject to the terms and conditions set forth in the Open
     Publication License, vX.Y or later (the latest version is presently
     available at http://www.opencontent.org/openpub/).
 .
 The reference must be immediately followed with any options elected by the
 author(s) and/or publisher of the document (see section VI).
 .
 Commercial redistribution of Open Publication-licensed material is permitted.
 .
 Any publication in standard (paper) book form shall require the citation of the
 original publisher and author. The publisher and author's names shall appear on
 all outer surfaces of the book. On all outer surfaces of the book the original
 publisher's name shall be as large as the title of the work and cited as
 possessive with respect to the title.
 .
 .
 II. COPYRIGHT
 .
 The copyright to each Open Publication is owned by its author(s) or designee.
 .
 .
 III. SCOPE OF LICENSE
 .
 The following license terms apply to all Open Publication works, unless
 otherwise explicitly stated in the document.
 .
 Mere aggregation of Open Publication works or a portion of an Open Publication
 work with other works or programs on the same media shall not cause this
 license to apply to those other works. The aggregate work shall contain a
 notice specifying the inclusion of the Open Publication material and
 appropriate copyright notice.
 .
 SEVERABILITY. If any part of this license is found to be unenforceable in any
 jurisdiction, the remaining portions of the license remain in force.
 .
 NO WARRANTY. Open Publication works are licensed and provided "as is" without
 warranty of any kind, express or implied, including, but not limited to, the
 implied warranties of merchantability and fitness for a particular purpose or a
 warranty of non-infringement.
 .
 .
 IV. REQUIREMENTS ON MODIFIED WORKS
 .
 All modified versions of documents covered by this license, including
 translations, anthologies, compilations and partial documents, must meet the
 following requirements:
 .
    1. The modified version must be labeled as such.
    2. The person making the modifications must be identified and the
       modifications dated.
    3. Acknowledgement of the original author and publisher if applicable must
       be retained according to normal academic citation practices.
    4. The location of the original unmodified document must be identified.
    5. The original author's (or authors') name(s) may not be used to assert or
       imply endorsement of the resulting document without the original author's
       (or authors') permission.
 .
 .
 V. GOOD-PRACTICE RECOMMENDATIONS
 .
 In addition to the requirements of this license, it is requested from and
 strongly recommended of redistributors that:
 .
    1. If you are distributing Open Publication works on hardcopy or CD-ROM, you
       provide email notification to the authors of your intent to redistribute
       at least thirty days before your manuscript or media freeze, to give the
       authors time to provide updated documents. This notification should
       describe modifications, if any, made to the document.
    2. All substantive modifications (including deletions) be either clearly
       marked up in the document or else described in an attachment to the
       document.
    3. Finally, while it is not mandatory under this license, it is considered
       good form to offer a free copy of any hardcopy and CD-ROM expression of
       an Open Publication-licensed work to its author(s).
 .
 .
 VI. LICENSE OPTIONS
 .
 The author(s) and/or publisher of an Open Publication-licensed document may
 elect certain options by appending language to the reference to or copy of the
 license. These options are considered part of the license instance and must be
 included with the license (or its incorporation by reference) in derived works.
 .
 A. To prohibit distribution of substantively modified versions without the
 explicit permission of the author(s). "Substantive modification" is defined as
 a change to the semantic content of the document, and excludes mere changes in
 format or typographical corrections.
 .
 To accomplish this, add the phrase `Distribution of substantively modified
 versions of this document is prohibited without the explicit permission of the
 copyright holder.' to the license reference or copy.
 .
 B. To prohibit any publication of this work or derivative works in whole or in
 part in standard (paper) book form for commercial purposes is prohibited unless
 prior permission is obtained from the copyright holder.
 .
 To accomplish this, add the phrase 'Distribution of the work or derivative of
 the work in any standard (paper) book form is prohibited unless prior
 permission is obtained from the copyright holder.' to the license reference or
 copy.

License: GPL-2
 On Debian systems, the complete text of the GPL version 2 license can be
 found in `/usr/share/common-licenses/GPL-2'.

License: GPL-2+
 On Debian systems, the complete text of the GPL version 2 license can be
 found in `/usr/share/common-licenses/GPL-2'.

License: GPL-3+
 On Debian systems, the complete text of the GPL version 3 license can be
 found in `/usr/share/common-licenses/GPL-3'.

License: GPL-1+
 On Debian systems, the complete text of the GPL version 1 license can be
 found in `/usr/share/common-licenses/GPL-1'.

License: LGPL-2.1+
 On Debian systems, the complete text of the LGPL version 2 license can be
 found in `/usr/share/common-licenses/LGPL-2.1'.

License: Artistic-1
 On Debian systems, the complete text of the Artistic version 1 license
 can be found in `/usr/share/common-licenses/Artistic'.

License: Vim-Regexp
 Permission is granted to anyone to use this software for any
 purpose on any computer system, and to redistribute it freely,
 subject to the following restrictions:
 .
 1. The author is not responsible for the consequences of use of
        this software, no matter how awful, even if they arise
        from defects in it.
 .
 2. The origin of this software must not be misrepresented, either
        by explicit claim or by omission.
 .
 3. Altered versions must be plainly marked as such, and must not
        be misrepresented as being the original software.

License: Apache
 On Debian systems, the complete text of the Apache version 2.0 license can be
 found in `/usr/share/common-licenses/Apache-2.0'.

License: Expat
 Permission is hereby granted, free of charge, to any person obtaining a copy
 of this software and associated documentation files (the "Software"), to
 deal in the Software without restriction, including without limitation the
 rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
 sell copies of the Software, and to permit persons to whom the Software is
 furnished to do so, subject to the following conditions:
 .
 The above copyright notice and this permission notice shall be included in
 all copies or substantial portions of the Software.
 .
 THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
 EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
 MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
 NONINFRINGEMENT.  IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS
 BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN
 ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
 CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
 SOFTWARE.

License: X11
 Permission is hereby granted, free of charge, to any person obtaining a copy
 of this software and associated documentation files (the "Software"), to deal
 in the Software without restriction, including without limitation the rights
 to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
 copies of the Software, and to permit persons to whom the Software is
 furnished to do so, subject to the following conditions:
 .
 The above copyright notice and this permission notice shall be included in all
 copies or substantial portions of the Software.
 .
 THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
 IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
 FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.  IN NO EVENT SHALL THE X
 CONSORTIUM BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN
 ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
 WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
 .
 Except as contained in this notice, the name of the X Consortium shall not be
 used in advertising or otherwise to promote the sale, use or other dealings in
 this Software without prior written authorization from the X Consortium.

License: UC
 Permission is hereby granted, without written agreement and without
 license or royalty fees, to use, copy, modify, and distribute this
 software and its documentation for any purpose, provided that the
 above copyright notice and the following two paragraphs appear in
 all copies of this software.
 .
 IN NO EVENT SHALL THE UNIVERSITY OF CALIFORNIA BE LIABLE TO ANY PARTY FOR
 DIRECT, INDIRECT, SPECIAL, INCIDENTAL, OR CONSEQUENTIAL DAMAGES ARISING OUT
 OF THE USE OF THIS SOFTWARE AND ITS DOCUMENTATION, EVEN IF THE UNIVERSITY OF
 CALIFORNIA HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
 .
 THE UNIVERSITY OF CALIFORNIA SPECIFICALLY DISCLAIMS ANY WARRANTIES,
 INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY
 AND FITNESS FOR A PARTICULAR PURPOSE.  THE SOFTWARE PROVIDED HEREUNDER IS
 ON AN "AS IS" BASIS, AND THE UNIVERSITY OF CALIFORNIA HAS NO OBLIGATION TO
 PROVIDE MAINTENANCE, SUPPORT, UPDATES, ENHANCEMENTS, OR MODIFICATIONS.

License: public-domain
 This source code is released into the public domain. It is provided on an
 as-is basis and no responsibility is accepted for its failure to perform
 as expected. It is worth at least as much as you paid for it!

License: Compaq
 1. GRANT
 Compaq Computer Corporation ("COMPAQ") grants you the right to use,
 modify, and distribute the following source code (the "Software")
 on any number of computers. You may use the Software as part of
 creating a software program or product intended for commercial or
 non-commercial distribution in machine-readable source code, binary,
 or executable formats. You may distribute the Software as
 machine-readable source code provided this license is not removed
 from the Software and any modifications are conspicuously indicated.
 2. COPYRIGHT
 The Software is owned by COMPAQ and its suppliers and is protected by
 copyright laws and international treaties.  Your use of the Software
 and associated documentation is subject to the applicable copyright
 laws and the express rights and restrictions of these terms.
 3. RESTRICTIONS
 You may not remove any copyright, trademark, or other proprietary
 notices from the Software or the associated
 You are responsible for compliance with all applicable export or
 re-export control laws and regulations if you export the Software.
 This license is governed by and is to be construed under the laws
 of the State of Texas.
 .
 DISCLAIMER OF WARRANTY AND LIABILITY
 Compaq shall not be liable for technical or editorial errors or
 omissions contained herein. The information contained herein is
 subject to change without notice.
 .
 THIS SOFTWARE IS PROVIDED "AS IS" WITHOUT WARRANTY OF ANY KIND.
 THE ENTIRE RISK ARISING OUT OF THE USE OF THIS SOFTWARE REMAINS WITH
 RECIPIENT.  IN NO EVENT SHALL COMPAQ BE LIABLE FOR ANY DIRECT,
 CONSEQUENTIAL, INCIDENTAL, SPECIAL, PUNITIVE OR OTHER DAMAGES
 WHATSOEVER (INCLUDING WITHOUT LIMITATION DAMAGES FOR LOSS OF BUSINESS
 PROFITS, BUSINESS INTERRUPTION, OR LOSS OF BUSINESS INFORMATION),
 EVEN IF COMPAQ HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES
 AND WHETHER IN AN ACTION OF CONTRACT OR TORT INCLUDING NEGLIGENCE.

License: XPM
 Permission is hereby granted, free of charge, to any person obtaining a copy
 of this software and associated documentation files (the "Software"), to
 deal in the Software without restriction, including without limitation the
 rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
 sell copies of the Software, and to permit persons to whom the Software is
 furnished to do so, subject to the following conditions:
 .
 The above copyright notice and this permission notice shall be included in
 all copies or substantial portions of the Software.
 .
 THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
 IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
 FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
 GROUPE BULL BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN
 AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
 CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
 .
 Except as contained in this notice, the name of GROUPE BULL shall not be
 used in advertising or otherwise to promote the sale, use or other dealings
 in this Software without prior written authorization from GROUPE BULL.

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:
 .
 * Redistributions of source code must retain the above copyright
   notice, this list of conditions and the following disclaimer.
 .
 * Redistributions in binary form must reproduce the above copyright
   notice, this list of conditions and the following disclaimer in the
   documentation and/or other materials provided with the distribution.
 .
 * Neither the name of Kitware, Inc. nor the names of Contributors
   may be used to endorse or promote products derived from this
   software without specific prior written permission.
 .
 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
 "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
 LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
 A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
 HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
 SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
 LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
 DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
 THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
 (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
 OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.

License: BSD-2-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 the above copyright notice, this
    list of conditions and the following disclaimer.
 .
 2. Redistributions in binary form must reproduce the above copyright notice,
    this list of conditions and the following disclaimer in the documentation
    and/or other materials provided with the distribution.
 .
 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
 ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
 WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
 DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
 FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
 DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
 SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
 CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
 OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
 OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.

License: EDL-1
 This program and the accompanying materials are made available
 under the terms of the Eclipse Distribution License v1.0 which
 accompanies this distribution, is reproduced below, and is
 available at http://www.eclipse.org/org/documents/edl-v10.php
 .
 All rights reserved.
 .
 Redistribution and use in source and binary forms, with or
 without modification, are permitted provided that the following
 conditions are met:
 .
 - Redistributions of source code must retain the above copyright
   notice, this list of conditions and the following disclaimer.
 .
 - Redistributions in binary form must reproduce the above
   copyright notice, this list of conditions and the following
   disclaimer in the documentation and/or other materials provided
   with the distribution.
 .
 - Neither the name of the Eclipse Foundation, Inc. nor the
   names of its contributors may be used to endorse or promote
   products derived from this software without specific prior
   written permission.
 .
 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND
 CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES,
 INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES
 OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
 ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR
 CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
 SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
 NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
 LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
 CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT,
 STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
 ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF
 ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        # vim.xxx files are alternatives for (g)vim, which has a manpage in vim(-gui)-common
no-manual-page [usr/bin/vim.tiny]
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         
This directory contains Debian-specific fake help files and tags used by
the "vim-tiny" package.  Their only purpose is to tell the user how to
install the real VIM online help on Debian if she wants to (i.e.
installing the "vim-runtime" package).

 -- Stefano Zacchiroli <zack@debian.org>  Thu, 03 Nov 2005 22:16:23 +0100
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            *help.txt*	Vim

		  VIM - fake help file for vim-tiny

The Vim online help is not installed on this Debian GNU/Linux system.

WHY ?

Because only the "vim-tiny" package is installed, whose sole purpose is to
provide the vi command for base installations.  As such, it contains a minimal
version of Vim compiled with no graphical user interface and a small subset of
features, in order to keep the package size small.

Since the "vim-runtime" package is rather huge when compared to "vim-tiny",
installing the latter does not automatically install the former.

HOW TO GET A BETTER VIM

To get a more featureful Vim binary (and a vim command, rather than just vi),
install one of the following packages: vim, vim-nox, vim-motif, or vim-gtk3.

HOW TO OBTAIN HELP

Either browse the Vim online help via web starting at

     https://vimhelp.org/

or ask your administrator to install the "vim-doc" package, which contains the
   HTML version of the online help and browse it starting at

     /usr/share/doc/vim/html/index.html

or  ask your administrator to install the "vim-runtime" package, re-run vi, and
    access the online help again.  Note that all the above mentioned Vim
    variants other than "vim-tiny" automatically install the "vim-runtime"
    package.  If you don't suffer from disk space shortage using one of them is
    recommended.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          help.txt	help.txt	/*help.txt*
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  /.
/etc
/etc/vim
/etc/vim/vimrc.tiny
/usr
/usr/bin
/usr/bin/vim.tiny
/usr/share
/usr/share/bug
/usr/share/bug/vim-tiny
/usr/share/bug/vim-tiny/presubj
/usr/share/bug/vim-tiny/script
/usr/share/doc
/usr/share/doc/vim-tiny
/usr/share/doc/vim-tiny/NEWS.Debian.gz
/usr/share/doc/vim-tiny/changelog.Debian.gz
/usr/share/doc/vim-tiny/changelog.gz
/usr/share/doc/vim-tiny/copyright
/usr/share/lintian
/usr/share/lintian/overrides
/usr/share/lintian/overrides/vim-tiny
/usr/share/vim
/usr/share/vim/vim90
/usr/share/vim/vim90/doc
/usr/share/vim/vim90/doc/README.Debian
/usr/share/vim/vim90/doc/help.txt
/usr/share/vim/vim90/doc/tags
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               n  .     ..  o cssesc.1                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  EEC\p  .     ..  q  man1  man5 man7                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              7(1#!/bin/sh

set -e


# Remove a no-longer used conffile
rm_conffile() {
    local PKGNAME="$1"
    local CONFFILE="$2"

    [ -e "$CONFFILE" ] || return 0

    local md5sum="$(md5sum $CONFFILE | sed -e 's/ .*//')"
    local old_md5sum="$(dpkg-query -W -f='${Conffiles}' $PKGNAME | \
            sed -n -e "\' $CONFFILE ' { s/ obsolete$//; s/.* //; p }")"
    if [ "$md5sum" != "$old_md5sum" ]; then
        echo "Obsolete conffile $CONFFILE has been modified by you."
        echo "Saving as $CONFFILE.dpkg-bak ..."
        mv -f "$CONFFILE" "$CONFFILE".dpkg-bak
    else
        echo "Removing obsolete conffile $CONFFILE ..."
        rm -f "$CONFFILE"
    fi
}

case "$1" in
install|upgrade)
    if dpkg --compare-versions "$2" le "0.52.18-2"; then
        rm_conffile whiptail "/etc/bash_completion.d/whiptail"
    fi
esac



exit 0
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             abb18e1c5e596bb98034a01c6dc65311  usr/bin/whiptail
bcd454929e3a3107961ba3cb1a98c5f4  usr/share/bash-completion/completions/whiptail
a6ad4ca598174ab065e57e63296c603d  usr/share/doc/whiptail/NEWS.Debian.gz
408dd0317437d489fde1b01b410ecb2b  usr/share/doc/whiptail/README.whiptail
0b7721064138673de6000500d065eb53  usr/share/doc/whiptail/changelog.Debian.amd64.gz
7864f53d74d906ebb861de1e599445e0  usr/share/doc/whiptail/changelog.Debian.gz
9ef1f1045973baa5c939c3f1144604a8  usr/share/doc/whiptail/changelog.gz
333e9a4430db74c884f7b6ff14d97773  usr/share/doc/whiptail/copyright
839c6102ba943cc2c3704a8bd8c80f4c  usr/share/man/man1/whiptail.1.gz
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               /* -*- buffer-read-only: t -*-
 *
 *    opcode.h
 *
 *    Copyright (C) 1993, 1994, 1995, 1996, 1997, 1998, 1999, 2000, 2001,
 *    2002, 2003, 2004, 2005, 2006, 2007 by Larry Wall and others
 *
 *    You may distribute under the terms of either the GNU General Public
 *    License or the Artistic License, as specified in the README file.
 *
 * !!!!!!!   DO NOT EDIT THIS FILE   !!!!!!!
 * This file is built by regen/opcode.pl from its data.
 * Any changes made here will be lost!
 */

#if defined(PERL_CORE) || defined(PERL_EXT)

#define Perl_pp_scalar Perl_pp_null
#define Perl_pp_padany Perl_unimplemented_op
#define Perl_pp_regcmaybe Perl_pp_null
#define Perl_pp_transr Perl_pp_trans
#define Perl_pp_chomp Perl_pp_chop
#define Perl_pp_schomp Perl_pp_schop
#define Perl_pp_i_preinc Perl_pp_preinc
#define Perl_pp_i_predec Perl_pp_predec
#define Perl_pp_i_postinc Perl_pp_postinc
#define Perl_pp_i_postdec Perl_pp_postdec
#define Perl_pp_slt Perl_pp_sle
#define Perl_pp_sgt Perl_pp_sle
#define Perl_pp_sge Perl_pp_sle
#define Perl_pp_bit_xor Perl_pp_bit_or
#define Perl_pp_nbit_xor Perl_pp_nbit_or
#define Perl_pp_sbit_xor Perl_pp_sbit_or
#define Perl_pp_cos Perl_pp_sin
#define Perl_pp_exp Perl_pp_sin
#define Perl_pp_log Perl_pp_sin
#define Perl_pp_sqrt Perl_pp_sin
#define Perl_pp_hex Perl_pp_oct
#define Perl_pp_rindex Perl_pp_index
#define Perl_pp_lcfirst Perl_pp_ucfirst
#define Perl_pp_aelemfast_lex Perl_pp_aelemfast
#define Perl_pp_avalues Perl_pp_akeys
#define Perl_pp_values Perl_do_kv
#define Perl_pp_keys Perl_do_kv
#define Perl_pp_rv2hv Perl_pp_rv2av
#define Perl_pp_pop Perl_pp_shift
#define Perl_pp_mapstart Perl_pp_grepstart
#define Perl_pp_dor Perl_pp_defined
#define Perl_pp_andassign Perl_pp_and
#define Perl_pp_orassign Perl_pp_or
#define Perl_pp_dorassign Perl_pp_defined
#define Perl_pp_lineseq Perl_pp_null
#define Perl_pp_scope Perl_pp_null
#define Perl_pp_dump Perl_pp_goto
#define Perl_pp_dbmclose Perl_pp_untie
#define Perl_pp_read Perl_pp_sysread
#define Perl_pp_say Perl_pp_print
#define Perl_pp_seek Perl_pp_sysseek
#define Perl_pp_fcntl Perl_pp_ioctl
#ifdef HAS_SOCKET
#define Perl_pp_send Perl_pp_syswrite
#define Perl_pp_recv Perl_pp_sysread
#else
#define Perl_pp_send Perl_unimplemented_op
#define Perl_pp_recv Perl_unimplemented_op
#define Perl_pp_socket Perl_unimplemented_op
#endif
#ifdef HAS_SOCKET
#define Perl_pp_connect Perl_pp_bind
#define Perl_pp_gsockopt Perl_pp_ssockopt
#define Perl_pp_getsockname Perl_pp_getpeername
#else
#define Perl_pp_bind Perl_unimplemented_op
#define Perl_pp_connect Perl_unimplemented_op
#define Perl_pp_listen Perl_unimplemented_op
#define Perl_pp_accept Perl_unimplemented_op
#define Perl_pp_shutdown Perl_unimplemented_op
#define Perl_pp_gsockopt Perl_unimplemented_op
#define Perl_pp_ssockopt Perl_unimplemented_op
#define Perl_pp_getsockname Perl_unimplemented_op
#define Perl_pp_getpeername Perl_unimplemented_op
#endif
#define Perl_pp_lstat Perl_pp_stat
#define Perl_pp_ftrwrite Perl_pp_ftrread
#define Perl_pp_ftrexec Perl_pp_ftrread
#define Perl_pp_fteread Perl_pp_ftrread
#define Perl_pp_ftewrite Perl_pp_ftrread
#define Perl_pp_fteexec Perl_pp_ftrread
#define Perl_pp_ftsize Perl_pp_ftis
#define Perl_pp_ftmtime Perl_pp_ftis
#define Perl_pp_ftatime Perl_pp_ftis
#define Perl_pp_ftctime Perl_pp_ftis
#define Perl_pp_fteowned Perl_pp_ftrowned
#define Perl_pp_ftzero Perl_pp_ftrowned
#define Perl_pp_ftsock Perl_pp_ftrowned
#define Perl_pp_ftchr Perl_pp_ftrowned
#define Perl_pp_ftblk Perl_pp_ftrowned
#define Perl_pp_ftfile Perl_pp_ftrowned
#define Perl_pp_ftdir Perl_pp_ftrowned
#define Perl_pp_ftpipe Perl_pp_ftrowned
#define Perl_pp_ftsuid Perl_pp_ftrowned
#define Perl_pp_ftsgid Perl_pp_ftrowned
#define Perl_pp_ftsvtx Perl_pp_ftrowned
#define Perl_pp_ftbinary Perl_pp_fttext
#define Perl_pp_unlink Perl_pp_chown
#define Perl_pp_chmod Perl_pp_chown
#define Perl_pp_utime Perl_pp_chown
#define Perl_pp_symlink Perl_pp_link
#define Perl_pp_kill Perl_pp_chown
#define Perl_pp_localtime Perl_pp_gmtime
#define Perl_pp_shmget Perl_pp_semget
#define Perl_pp_shmctl Perl_pp_semctl
#define Perl_pp_shmread Perl_pp_shmwrite
#define Perl_pp_msgget Perl_pp_semget
#define Perl_pp_msgctl Perl_pp_semctl
#define Perl_pp_msgsnd Perl_pp_shmwrite
#define Perl_pp_msgrcv Perl_pp_shmwrite
#define Perl_pp_semop Perl_pp_shmwrite
#define Perl_pp_dofile Perl_pp_require
#define Perl_pp_ghbyname Perl_pp_ghostent
#define Perl_pp_ghbyaddr Perl_pp_ghostent
#define Perl_pp_gnbyname Perl_pp_gnetent
#define Perl_pp_gnbyaddr Perl_pp_gnetent
#define Perl_pp_gpbyname Perl_pp_gprotoent
#define Perl_pp_gpbynumber Perl_pp_gprotoent
#define Perl_pp_gsbyname Perl_pp_gservent
#define Perl_pp_gsbyport Perl_pp_gservent
#define Perl_pp_snetent Perl_pp_shostent
#define Perl_pp_sprotoent Perl_pp_shostent
#define Perl_pp_sservent Perl_pp_shostent
#define Perl_pp_enetent Perl_pp_ehostent
#define Perl_pp_eprotoent Perl_pp_ehostent
#define Perl_pp_eservent Perl_pp_ehostent
#define Perl_pp_gpwnam Perl_pp_gpwent
#define Perl_pp_gpwuid Perl_pp_gpwent
#define Perl_pp_spwent Perl_pp_ehostent
#define Perl_pp_epwent Perl_pp_ehostent
#define Perl_pp_ggrnam Perl_pp_ggrent
#define Perl_pp_ggrgid Perl_pp_ggrent
#define Perl_pp_sgrent Perl_pp_ehostent
#define Perl_pp_egrent Perl_pp_ehostent
#define Perl_pp_custom Perl_unimplemented_op

#endif /* End of if defined(PERL_CORE) || defined(PERL_EXT) */

START_EXTERN_C

#ifndef DOINIT
EXTCONST char* const PL_op_name[];
#else
EXTCONST char* const PL_op_name[] = {
	"null",
	"stub",
	"scalar",
	"pushmark",
	"wantarray",
	"const",
	"gvsv",
	"gv",
	"gelem",
	"padsv",
	"padav",
	"padhv",
	"padany",
	"rv2gv",
	"rv2sv",
	"av2arylen",
	"rv2cv",
	"anoncode",
	"prototype",
	"refgen",
	"srefgen",
	"ref",
	"bless",
	"backtick",
	"glob",
	"readline",
	"rcatline",
	"regcmaybe",
	"regcreset",
	"regcomp",
	"match",
	"qr",
	"subst",
	"substcont",
	"trans",
	"transr",
	"sassign",
	"aassign",
	"chop",
	"schop",
	"chomp",
	"schomp",
	"defined",
	"undef",
	"study",
	"pos",
	"preinc",
	"i_preinc",
	"predec",
	"i_predec",
	"postinc",
	"i_postinc",
	"postdec",
	"i_postdec",
	"pow",
	"multiply",
	"i_multiply",
	"divide",
	"i_divide",
	"modulo",
	"i_modulo",
	"repeat",
	"add",
	"i_add",
	"subtract",
	"i_subtract",
	"concat",
	"multiconcat",
	"stringify",
	"left_shift",
	"right_shift",
	"lt",
	"i_lt",
	"gt",
	"i_gt",
	"le",
	"i_le",
	"ge",
	"i_ge",
	"eq",
	"i_eq",
	"ne",
	"i_ne",
	"ncmp",
	"i_ncmp",
	"slt",
	"sgt",
	"sle",
	"sge",
	"seq",
	"sne",
	"scmp",
	"bit_and",
	"bit_xor",
	"bit_or",
	"nbit_and",
	"nbit_xor",
	"nbit_or",
	"sbit_and",
	"sbit_xor",
	"sbit_or",
	"negate",
	"i_negate",
	"not",
	"complement",
	"ncomplement",
	"scomplement",
	"smartmatch",
	"atan2",
	"sin",
	"cos",
	"rand",
	"srand",
	"exp",
	"log",
	"sqrt",
	"int",
	"hex",
	"oct",
	"abs",
	"length",
	"substr",
	"vec",
	"index",
	"rindex",
	"sprintf",
	"formline",
	"ord",
	"chr",
	"crypt",
	"ucfirst",
	"lcfirst",
	"uc",
	"lc",
	"quotemeta",
	"rv2av",
	"aelemfast",
	"aelemfast_lex",
	"aelem",
	"aslice",
	"kvaslice",
	"aeach",
	"avalues",
	"akeys",
	"each",
	"values",
	"keys",
	"delete",
	"exists",
	"rv2hv",
	"helem",
	"hslice",
	"kvhslice",
	"multideref",
	"unpack",
	"pack",
	"split",
	"join",
	"list",
	"lslice",
	"anonlist",
	"anonhash",
	"splice",
	"push",
	"pop",
	"shift",
	"unshift",
	"sort",
	"reverse",
	"grepstart",
	"grepwhile",
	"mapstart",
	"mapwhile",
	"range",
	"flip",
	"flop",
	"and",
	"or",
	"xor",
	"dor",
	"cond_expr",
	"andassign",
	"orassign",
	"dorassign",
	"entersub",
	"leavesub",
	"leavesublv",
	"argcheck",
	"argelem",
	"argdefelem",
	"caller",
	"warn",
	"die",
	"reset",
	"lineseq",
	"nextstate",
	"dbstate",
	"unstack",
	"enter",
	"leave",
	"scope",
	"enteriter",
	"iter",
	"enterloop",
	"leaveloop",
	"return",
	"last",
	"next",
	"redo",
	"dump",
	"goto",
	"exit",
	"method",
	"method_named",
	"method_super",
	"method_redir",
	"method_redir_super",
	"entergiven",
	"leavegiven",
	"enterwhen",
	"leavewhen",
	"break",
	"continue",
	"open",
	"close",
	"pipe_op",
	"fileno",
	"umask",
	"binmode",
	"tie",
	"untie",
	"tied",
	"dbmopen",
	"dbmclose",
	"sselect",
	"select",
	"getc",
	"read",
	"enterwrite",
	"leavewrite",
	"prtf",
	"print",
	"say",
	"sysopen",
	"sysseek",
	"sysread",
	"syswrite",
	"eof",
	"tell",
	"seek",
	"truncate",
	"fcntl",
	"ioctl",
	"flock",
	"send",
	"recv",
	"socket",
	"sockpair",
	"bind",
	"connect",
	"listen",
	"accept",
	"shutdown",
	"gsockopt",
	"ssockopt",
	"getsockname",
	"getpeername",
	"lstat",
	"stat",
	"ftrread",
	"ftrwrite",
	"ftrexec",
	"fteread",
	"ftewrite",
	"fteexec",
	"ftis",
	"ftsize",
	"ftmtime",
	"ftatime",
	"ftctime",
	"ftrowned",
	"fteowned",
	"ftzero",
	"ftsock",
	"ftchr",
	"ftblk",
	"ftfile",
	"ftdir",
	"ftpipe",
	"ftsuid",
	"ftsgid",
	"ftsvtx",
	"ftlink",
	"fttty",
	"fttext",
	"ftbinary",
	"chdir",
	"chown",
	"chroot",
	"unlink",
	"chmod",
	"utime",
	"rename",
	"link",
	"symlink",
	"readlink",
	"mkdir",
	"rmdir",
	"open_dir",
	"readdir",
	"telldir",
	"seekdir",
	"rewinddir",
	"closedir",
	"fork",
	"wait",
	"waitpid",
	"system",
	"exec",
	"kill",
	"getppid",
	"getpgrp",
	"setpgrp",
	"getpriority",
	"setpriority",
	"time",
	"tms",
	"localtime",
	"gmtime",
	"alarm",
	"sleep",
	"shmget",
	"shmctl",
	"shmread",
	"shmwrite",
	"msgget",
	"msgctl",
	"msgsnd",
	"msgrcv",
	"semop",
	"semget",
	"semctl",
	"require",
	"dofile",
	"hintseval",
	"entereval",
	"leaveeval",
	"entertry",
	"leavetry",
	"ghbyname",
	"ghbyaddr",
	"ghostent",
	"gnbyname",
	"gnbyaddr",
	"gnetent",
	"gpbyname",
	"gpbynumber",
	"gprotoent",
	"gsbyname",
	"gsbyport",
	"gservent",
	"shostent",
	"snetent",
	"sprotoent",
	"sservent",
	"ehostent",
	"enetent",
	"eprotoent",
	"eservent",
	"gpwnam",
	"gpwuid",
	"gpwent",
	"spwent",
	"epwent",
	"ggrnam",
	"ggrgid",
	"ggrent",
	"sgrent",
	"egrent",
	"getlogin",
	"syscall",
	"lock",
	"once",
	"custom",
	"coreargs",
	"avhvswitch",
	"runcv",
	"fc",
	"padcv",
	"introcv",
	"clonecv",
	"padrange",
	"refassign",
	"lvref",
	"lvrefslice",
	"lvavref",
	"anonconst",
	"isa",
	"cmpchain_and",
	"cmpchain_dup",
	"entertrycatch",
	"leavetrycatch",
	"poptry",
	"catch",
	"pushdefer",
	"is_bool",
	"is_weak",
	"weaken",
	"unweaken",
	"blessed",
	"refaddr",
	"reftype",
	"ceil",
	"floor",
        "freed",
};
#endif

#ifndef DOINIT
EXTCONST char* const PL_op_desc[];
#else
EXTCONST char* const PL_op_desc[] = {
	"null operation",
	"stub",
	"scalar",
	"pushmark",
	"wantarray",
	"constant item",
	"scalar variable",
	"glob value",
	"glob elem",
	"private variable",
	"private array",
	"private hash",
	"private value",
	"ref-to-glob cast",
	"scalar dereference",
	"array length",
	"subroutine dereference",
	"anonymous subroutine",
	"subroutine prototype",
	"reference constructor",
	"single ref constructor",
	"reference-type operator",
	"bless",
	"quoted execution (``, qx)",
	"glob",
	"<HANDLE>",
	"append I/O operator",
	"regexp internal guard",
	"regexp internal reset",
	"regexp compilation",
	"pattern match (m//)",
	"pattern quote (qr//)",
	"substitution (s///)",
	"substitution iterator",
	"transliteration (tr///)",
	"transliteration (tr///)",
	"scalar assignment",
	"list assignment",
	"chop",
	"scalar chop",
	"chomp",
	"scalar chomp",
	"defined operator",
	"undef operator",
	"study",
	"match position",
	"preincrement (++)",
	"integer preincrement (++)",
	"predecrement (--)",
	"integer predecrement (--)",
	"postincrement (++)",
	"integer postincrement (++)",
	"postdecrement (--)",
	"integer postdecrement (--)",
	"exponentiation (**)",
	"multiplication (*)",
	"integer multiplication (*)",
	"division (/)",
	"integer division (/)",
	"modulus (%)",
	"integer modulus (%)",
	"repeat (x)",
	"addition (+)",
	"integer addition (+)",
	"subtraction (-)",
	"integer subtraction (-)",
	"concatenation (.) or string",
	"concatenation (.) or string",
	"string",
	"left bitshift (<<)",
	"right bitshift (>>)",
	"numeric lt (<)",
	"integer lt (<)",
	"numeric gt (>)",
	"integer gt (>)",
	"numeric le (<=)",
	"integer le (<=)",
	"numeric ge (>=)",
	"integer ge (>=)",
	"numeric eq (==)",
	"integer eq (==)",
	"numeric ne (!=)",
	"integer ne (!=)",
	"numeric comparison (<=>)",
	"integer comparison (<=>)",
	"string lt",
	"string gt",
	"string le",
	"string ge",
	"string eq",
	"string ne",
	"string comparison (cmp)",
	"bitwise and (&)",
	"bitwise xor (^)",
	"bitwise or (|)",
	"numeric bitwise and (&)",
	"numeric bitwise xor (^)",
	"numeric bitwise or (|)",
	"string bitwise and (&.)",
	"string bitwise xor (^.)",
	"string bitwise or (|.)",
	"negation (-)",
	"integer negation (-)",
	"not",
	"1's complement (~)",
	"numeric 1's complement (~)",
	"string 1's complement (~)",
	"smart match",
	"atan2",
	"sin",
	"cos",
	"rand",
	"srand",
	"exp",
	"log",
	"sqrt",
	"int",
	"hex",
	"oct",
	"abs",
	"length",
	"substr",
	"vec",
	"index",
	"rindex",
	"sprintf",
	"formline",
	"ord",
	"chr",
	"crypt",
	"ucfirst",
	"lcfirst",
	"uc",
	"lc",
	"quotemeta",
	"array dereference",
	"constant array element",
	"constant lexical array element",
	"array element",
	"array slice",
	"index/value array slice",
	"each on array",
	"values on array",
	"keys on array",
	"each",
	"values",
	"keys",
	"delete",
	"exists",
	"hash dereference",
	"hash element",
	"hash slice",
	"key/value hash slice",
	"array or hash lookup",
	"unpack",
	"pack",
	"split",
	"join or string",
	"list",
	"list slice",
	"anonymous array ([])",
	"anonymous hash ({})",
	"splice",
	"push",
	"pop",
	"shift",
	"unshift",
	"sort",
	"reverse",
	"grep",
	"grep iterator",
	"map",
	"map iterator",
	"flipflop",
	"range (or flip)",
	"range (or flop)",
	"logical and (&&)",
	"logical or (||)",
	"logical xor",
	"defined or (//)",
	"conditional expression",
	"logical and assignment (&&=)",
	"logical or assignment (||=)",
	"defined or assignment (//=)",
	"subroutine entry",
	"subroutine exit",
	"lvalue subroutine return",
	"check subroutine arguments",
	"subroutine argument",
	"subroutine argument default value",
	"caller",
	"warn",
	"die",
	"symbol reset",
	"line sequence",
	"next statement",
	"debug next statement",
	"iteration finalizer",
	"block entry",
	"block exit",
	"block",
	"foreach loop entry",
	"foreach loop iterator",
	"loop entry",
	"loop exit",
	"return",
	"last",
	"next",
	"redo",
	"dump",
	"goto",
	"exit",
	"method lookup",
	"method with known name",
	"super with known name",
	"redirect method with known name",
	"redirect super method with known name",
	"given()",
	"leave given block",
	"when()",
	"leave when block",
	"break",
	"continue",
	"open",
	"close",
	"pipe",
	"fileno",
	"umask",
	"binmode",
	"tie",
	"untie",
	"tied",
	"dbmopen",
	"dbmclose",
	"select system call",
	"select",
	"getc",
	"read",
	"write",
	"write exit",
	"printf",
	"print",
	"say",
	"sysopen",
	"sysseek",
	"sysread",
	"syswrite",
	"eof",
	"tell",
	"seek",
	"truncate",
	"fcntl",
	"ioctl",
	"flock",
	"send",
	"recv",
	"socket",
	"socketpair",
	"bind",
	"connect",
	"listen",
	"accept",
	"shutdown",
	"getsockopt",
	"setsockopt",
	"getsockname",
	"getpeername",
	"lstat",
	"stat",
	"-R",
	"-W",
	"-X",
	"-r",
	"-w",
	"-x",
	"-e",
	"-s",
	"-M",
	"-A",
	"-C",
	"-O",
	"-o",
	"-z",
	"-S",
	"-c",
	"-b",
	"-f",
	"-d",
	"-p",
	"-u",
	"-g",
	"-k",
	"-l",
	"-t",
	"-T",
	"-B",
	"chdir",
	"chown",
	"chroot",
	"unlink",
	"chmod",
	"utime",
	"rename",
	"link",
	"symlink",
	"readlink",
	"mkdir",
	"rmdir",
	"opendir",
	"readdir",
	"telldir",
	"seekdir",
	"rewinddir",
	"closedir",
	"fork",
	"wait",
	"waitpid",
	"system",
	"exec",
	"kill",
	"getppid",
	"getpgrp",
	"setpgrp",
	"getpriority",
	"setpriority",
	"time",
	"times",
	"localtime",
	"gmtime",
	"alarm",
	"sleep",
	"shmget",
	"shmctl",
	"shmread",
	"shmwrite",
	"msgget",
	"msgctl",
	"msgsnd",
	"msgrcv",
	"semop",
	"semget",
	"semctl",
	"require",
	"do \"file\"",
	"eval hints",
	"eval \"string\"",
	"eval \"string\" exit",
	"eval {block}",
	"eval {block} exit",
	"gethostbyname",
	"gethostbyaddr",
	"gethostent",
	"getnetbyname",
	"getnetbyaddr",
	"getnetent",
	"getprotobyname",
	"getprotobynumber",
	"getprotoent",
	"getservbyname",
	"getservbyport",
	"getservent",
	"sethostent",
	"setnetent",
	"setprotoent",
	"setservent",
	"endhostent",
	"endnetent",
	"endprotoent",
	"endservent",
	"getpwnam",
	"getpwuid",
	"getpwent",
	"setpwent",
	"endpwent",
	"getgrnam",
	"getgrgid",
	"getgrent",
	"setgrent",
	"endgrent",
	"getlogin",
	"syscall",
	"lock",
	"once",
	"unknown custom operator",
	"CORE:: subroutine",
	"Array/hash switch",
	"__SUB__",
	"fc",
	"private subroutine",
	"private subroutine",
	"private subroutine",
	"list of private variables",
	"lvalue ref assignment",
	"lvalue ref assignment",
	"lvalue ref assignment",
	"lvalue array reference",
	"anonymous constant",
	"derived class test",
	"comparison chaining",
	"comparand shuffling",
	"try {block}",
	"try {block} exit",
	"pop try",
	"catch {} block",
	"push defer {} block",
	"boolean type test",
	"weakref type test",
	"reference weaken",
	"reference unweaken",
	"blessed",
	"refaddr",
	"reftype",
	"ceil",
	"floor",
        "freed op",
};
#endif

END_EXTERN_C

START_EXTERN_C

EXT Perl_ppaddr_t PL_ppaddr[] /* or perlvars.h */
#if defined(DOINIT)
= {
	Perl_pp_null,
	Perl_pp_stub,
	Perl_pp_scalar,	/* implemented by Perl_pp_null */
	Perl_pp_pushmark,
	Perl_pp_wantarray,
	Perl_pp_const,
	Perl_pp_gvsv,
	Perl_pp_gv,
	Perl_pp_gelem,
	Perl_pp_padsv,
	Perl_pp_padav,
	Perl_pp_padhv,
	Perl_pp_padany,	/* implemented by Perl_unimplemented_op */
	Perl_pp_rv2gv,
	Perl_pp_rv2sv,
	Perl_pp_av2arylen,
	Perl_pp_rv2cv,
	Perl_pp_anoncode,
	Perl_pp_prototype,
	Perl_pp_refgen,
	Perl_pp_srefgen,
	Perl_pp_ref,
	Perl_pp_bless,
	Perl_pp_backtick,
	Perl_pp_glob,
	Perl_pp_readline,
	Perl_pp_rcatline,
	Perl_pp_regcmaybe,	/* implemented by Perl_pp_null */
	Perl_pp_regcreset,
	Perl_pp_regcomp,
	Perl_pp_match,
	Perl_pp_qr,
	Perl_pp_subst,
	Perl_pp_substcont,
	Perl_pp_trans,
	Perl_pp_transr,	/* implemented by Perl_pp_trans */
	Perl_pp_sassign,
	Perl_pp_aassign,
	Perl_pp_chop,
	Perl_pp_schop,
	Perl_pp_chomp,	/* implemented by Perl_pp_chop */
	Perl_pp_schomp,	/* implemented by Perl_pp_schop */
	Perl_pp_defined,
	Perl_pp_undef,
	Perl_pp_study,
	Perl_pp_pos,
	Perl_pp_preinc,
	Perl_pp_i_preinc,	/* implemented by Perl_pp_preinc */
	Perl_pp_predec,
	Perl_pp_i_predec,	/* implemented by Perl_pp_predec */
	Perl_pp_postinc,
	Perl_pp_i_postinc,	/* implemented by Perl_pp_postinc */
	Perl_pp_postdec,
	Perl_pp_i_postdec,	/* implemented by Perl_pp_postdec */
	Perl_pp_pow,
	Perl_pp_multiply,
	Perl_pp_i_multiply,
	Perl_pp_divide,
	Perl_pp_i_divide,
	Perl_pp_modulo,
	Perl_pp_i_modulo,
	Perl_pp_repeat,
	Perl_pp_add,
	Perl_pp_i_add,
	Perl_pp_subtract,
	Perl_pp_i_subtract,
	Perl_pp_concat,
	Perl_pp_multiconcat,
	Perl_pp_stringify,
	Perl_pp_left_shift,
	Perl_pp_right_shift,
	Perl_pp_lt,
	Perl_pp_i_lt,
	Perl_pp_gt,
	Perl_pp_i_gt,
	Perl_pp_le,
	Perl_pp_i_le,
	Perl_pp_ge,
	Perl_pp_i_ge,
	Perl_pp_eq,
	Perl_pp_i_eq,
	Perl_pp_ne,
	Perl_pp_i_ne,
	Perl_pp_ncmp,
	Perl_pp_i_ncmp,
	Perl_pp_slt,	/* implemented by Perl_pp_sle */
	Perl_pp_sgt,	/* implemented by Perl_pp_sle */
	Perl_pp_sle,
	Perl_pp_sge,	/* implemented by Perl_pp_sle */
	Perl_pp_seq,
	Perl_pp_sne,
	Perl_pp_scmp,
	Perl_pp_bit_and,
	Perl_pp_bit_xor,	/* implemented by Perl_pp_bit_or */
	Perl_pp_bit_or,
	Perl_pp_nbit_and,
	Perl_pp_nbit_xor,	/* implemented by Perl_pp_nbit_or */
	Perl_pp_nbit_or,
	Perl_pp_sbit_and,
	Perl_pp_sbit_xor,	/* implemented by Perl_pp_sbit_or */
	Perl_pp_sbit_or,
	Perl_pp_negate,
	Perl_pp_i_negate,
	Perl_pp_not,
	Perl_pp_complement,
	Perl_pp_ncomplement,
	Perl_pp_scomplement,
	Perl_pp_smartmatch,
	Perl_pp_atan2,
	Perl_pp_sin,
	Perl_pp_cos,	/* implemented by Perl_pp_sin */
	Perl_pp_rand,
	Perl_pp_srand,
	Perl_pp_exp,	/* implemented by Perl_pp_sin */
	Perl_pp_log,	/* implemented by Perl_pp_sin */
	Perl_pp_sqrt,	/* implemented by Perl_pp_sin */
	Perl_pp_int,
	Perl_pp_hex,	/* implemented by Perl_pp_oct */
	Perl_pp_oct,
	Perl_pp_abs,
	Perl_pp_length,
	Perl_pp_substr,
	Perl_pp_vec,
	Perl_pp_index,
	Perl_pp_rindex,	/* implemented by Perl_pp_index */
	Perl_pp_sprintf,
	Perl_pp_formline,
	Perl_pp_ord,
	Perl_pp_chr,
	Perl_pp_crypt,
	Perl_pp_ucfirst,
	Perl_pp_lcfirst,	/* implemented by Perl_pp_ucfirst */
	Perl_pp_uc,
	Perl_pp_lc,
	Perl_pp_quotemeta,
	Perl_pp_rv2av,
	Perl_pp_aelemfast,
	Perl_pp_aelemfast_lex,	/* implemented by Perl_pp_aelemfast */
	Perl_pp_aelem,
	Perl_pp_aslice,
	Perl_pp_kvaslice,
	Perl_pp_aeach,
	Perl_pp_avalues,	/* implemented by Perl_pp_akeys */
	Perl_pp_akeys,
	Perl_pp_each,
	Perl_pp_values,	/* implemented by Perl_do_kv */
	Perl_pp_keys,	/* implemented by Perl_do_kv */
	Perl_pp_delete,
	Perl_pp_exists,
	Perl_pp_rv2hv,	/* implemented by Perl_pp_rv2av */
	Perl_pp_helem,
	Perl_pp_hslice,
	Perl_pp_kvhslice,
	Perl_pp_multideref,
	Perl_pp_unpack,
	Perl_pp_pack,
	Perl_pp_split,
	Perl_pp_join,
	Perl_pp_list,
	Perl_pp_lslice,
	Perl_pp_anonlist,
	Perl_pp_anonhash,
	Perl_pp_splice,
	Perl_pp_push,
	Perl_pp_pop,	/* implemented by Perl_pp_shift */
	Perl_pp_shift,
	Perl_pp_unshift,
	Perl_pp_sort,
	Perl_pp_reverse,
	Perl_pp_grepstart,
	Perl_pp_grepwhile,
	Perl_pp_mapstart,	/* implemented by Perl_pp_grepstart */
	Perl_pp_mapwhile,
	Perl_pp_range,
	Perl_pp_flip,
	Perl_pp_flop,
	Perl_pp_and,
	Perl_pp_or,
	Perl_pp_xor,
	Perl_pp_dor,	/* implemented by Perl_pp_defined */
	Perl_pp_cond_expr,
	Perl_pp_andassign,	/* implemented by Perl_pp_and */
	Perl_pp_orassign,	/* implemented by Perl_pp_or */
	Perl_pp_dorassign,	/* implemented by Perl_pp_defined */
	Perl_pp_entersub,
	Perl_pp_leavesub,
	Perl_pp_leavesublv,
	Perl_pp_argcheck,
	Perl_pp_argelem,
	Perl_pp_argdefelem,
	Perl_pp_caller,
	Perl_pp_warn,
	Perl_pp_die,
	Perl_pp_reset,
	Perl_pp_lineseq,	/* implemented by Perl_pp_null */
	Perl_pp_nextstate,
	Perl_pp_dbstate,
	Perl_pp_unstack,
	Perl_pp_enter,
	Perl_pp_leave,
	Perl_pp_scope,	/* implemented by Perl_pp_null */
	Perl_pp_enteriter,
	Perl_pp_iter,
	Perl_pp_enterloop,
	Perl_pp_leaveloop,
	Perl_pp_return,
	Perl_pp_last,
	Perl_pp_next,
	Perl_pp_redo,
	Perl_pp_dump,	/* implemented by Perl_pp_goto */
	Perl_pp_goto,
	Perl_pp_exit,
	Perl_pp_method,
	Perl_pp_method_named,
	Perl_pp_method_super,
	Perl_pp_method_redir,
	Perl_pp_method_redir_super,
	Perl_pp_entergiven,
	Perl_pp_leavegiven,
	Perl_pp_enterwhen,
	Perl_pp_leavewhen,
	Perl_pp_break,
	Perl_pp_continue,
	Perl_pp_open,
	Perl_pp_close,
	Perl_pp_pipe_op,
	Perl_pp_fileno,
	Perl_pp_umask,
	Perl_pp_binmode,
	Perl_pp_tie,
	Perl_pp_untie,
	Perl_pp_tied,
	Perl_pp_dbmopen,
	Perl_pp_dbmclose,	/* implemented by Perl_pp_untie */
	Perl_pp_sselect,
	Perl_pp_select,
	Perl_pp_getc,
	Perl_pp_read,	/* implemented by Perl_pp_sysread */
	Perl_pp_enterwrite,
	Perl_pp_leavewrite,
	Perl_pp_prtf,
	Perl_pp_print,
	Perl_pp_say,	/* implemented by Perl_pp_print */
	Perl_pp_sysopen,
	Perl_pp_sysseek,
	Perl_pp_sysread,
	Perl_pp_syswrite,
	Perl_pp_eof,
	Perl_pp_tell,
	Perl_pp_seek,	/* implemented by Perl_pp_sysseek */
	Perl_pp_truncate,
	Perl_pp_fcntl,	/* implemented by Perl_pp_ioctl */
	Perl_pp_ioctl,
	Perl_pp_flock,
	Perl_pp_send,	/* implemented by Perl_pp_syswrite */
	Perl_pp_recv,	/* implemented by Perl_pp_sysread */
	Perl_pp_socket,
	Perl_pp_sockpair,
	Perl_pp_bind,
	Perl_pp_connect,	/* implemented by Perl_pp_bind */
	Perl_pp_listen,
	Perl_pp_accept,
	Perl_pp_shutdown,
	Perl_pp_gsockopt,	/* implemented by Perl_pp_ssockopt */
	Perl_pp_ssockopt,
	Perl_pp_getsockname,	/* implemented by Perl_pp_getpeername */
	Perl_pp_getpeername,
	Perl_pp_lstat,	/* implemented by Perl_pp_stat */
	Perl_pp_stat,
	Perl_pp_ftrread,
	Perl_pp_ftrwrite,	/* implemented by Perl_pp_ftrread */
	Perl_pp_ftrexec,	/* implemented by Perl_pp_ftrread */
	Perl_pp_fteread,	/* implemented by Perl_pp_ftrread */
	Perl_pp_ftewrite,	/* implemented by Perl_pp_ftrread */
	Perl_pp_fteexec,	/* implemented by Perl_pp_ftrread */
	Perl_pp_ftis,
	Perl_pp_ftsize,	/* implemented by Perl_pp_ftis */
	Perl_pp_ftmtime,	/* implemented by Perl_pp_ftis */
	Perl_pp_ftatime,	/* implemented by Perl_pp_ftis */
	Perl_pp_ftctime,	/* implemented by Perl_pp_ftis */
	Perl_pp_ftrowned,
	Perl_pp_fteowned,	/* implemented by Perl_pp_ftrowned */
	Perl_pp_ftzero,	/* implemented by Perl_pp_ftrowned */
	Perl_pp_ftsock,	/* implemented by Perl_pp_ftrowned */
	Perl_pp_ftchr,	/* implemented by Perl_pp_ftrowned */
	Perl_pp_ftblk,	/* implemented by Perl_pp_ftrowned */
	Perl_pp_ftfile,	/* implemented by Perl_pp_ftrowned */
	Perl_pp_ftdir,	/* implemented by Perl_pp_ftrowned */
	Perl_pp_ftpipe,	/* implemented by Perl_pp_ftrowned */
	Perl_pp_ftsuid,	/* implemented by Perl_pp_ftrowned */
	Perl_pp_ftsgid,	/* implemented by Perl_pp_ftrowned */
	Perl_pp_ftsvtx,	/* implemented by Perl_pp_ftrowned */
	Perl_pp_ftlink,
	Perl_pp_fttty,
	Perl_pp_fttext,
	Perl_pp_ftbinary,	/* implemented by Perl_pp_fttext */
	Perl_pp_chdir,
	Perl_pp_chown,
	Perl_pp_chroot,
	Perl_pp_unlink,	/* implemented by Perl_pp_chown */
	Perl_pp_chmod,	/* implemented by Perl_pp_chown */
	Perl_pp_utime,	/* implemented by Perl_pp_chown */
	Perl_pp_rename,
	Perl_pp_link,
	Perl_pp_symlink,	/* implemented by Perl_pp_link */
	Perl_pp_readlink,
	Perl_pp_mkdir,
	Perl_pp_rmdir,
	Perl_pp_open_dir,
	Perl_pp_readdir,
	Perl_pp_telldir,
	Perl_pp_seekdir,
	Perl_pp_rewinddir,
	Perl_pp_closedir,
	Perl_pp_fork,
	Perl_pp_wait,
	Perl_pp_waitpid,
	Perl_pp_system,
	Perl_pp_exec,
	Perl_pp_kill,	/* implemented by Perl_pp_chown */
	Perl_pp_getppid,
	Perl_pp_getpgrp,
	Perl_pp_setpgrp,
	Perl_pp_getpriority,
	Perl_pp_setpriority,
	Perl_pp_time,
	Perl_pp_tms,
	Perl_pp_localtime,	/* implemented by Perl_pp_gmtime */
	Perl_pp_gmtime,
	Perl_pp_alarm,
	Perl_pp_sleep,
	Perl_pp_shmget,	/* implemented by Perl_pp_semget */
	Perl_pp_shmctl,	/* implemented by Perl_pp_semctl */
	Perl_pp_shmread,	/* implemented by Perl_pp_shmwrite */
	Perl_pp_shmwrite,
	Perl_pp_msgget,	/* implemented by Perl_pp_semget */
	Perl_pp_msgctl,	/* implemented by Perl_pp_semctl */
	Perl_pp_msgsnd,	/* implemented by Perl_pp_shmwrite */
	Perl_pp_msgrcv,	/* implemented by Perl_pp_shmwrite */
	Perl_pp_semop,	/* implemented by Perl_pp_shmwrite */
	Perl_pp_semget,
	Perl_pp_semctl,
	Perl_pp_require,
	Perl_pp_dofile,	/* implemented by Perl_pp_require */
	Perl_pp_hintseval,
	Perl_pp_entereval,
	Perl_pp_leaveeval,
	Perl_pp_entertry,
	Perl_pp_leavetry,
	Perl_pp_ghbyname,	/* implemented by Perl_pp_ghostent */
	Perl_pp_ghbyaddr,	/* implemented by Perl_pp_ghostent */
	Perl_pp_ghostent,
	Perl_pp_gnbyname,	/* implemented by Perl_pp_gnetent */
	Perl_pp_gnbyaddr,	/* implemented by Perl_pp_gnetent */
	Perl_pp_gnetent,
	Perl_pp_gpbyname,	/* implemented by Perl_pp_gprotoent */
	Perl_pp_gpbynumber,	/* implemented by Perl_pp_gprotoent */
	Perl_pp_gprotoent,
	Perl_pp_gsbyname,	/* implemented by Perl_pp_gservent */
	Perl_pp_gsbyport,	/* implemented by Perl_pp_gservent */
	Perl_pp_gservent,
	Perl_pp_shostent,
	Perl_pp_snetent,	/* implemented by Perl_pp_shostent */
	Perl_pp_sprotoent,	/* implemented by Perl_pp_shostent */
	Perl_pp_sservent,	/* implemented by Perl_pp_shostent */
	Perl_pp_ehostent,
	Perl_pp_enetent,	/* implemented by Perl_pp_ehostent */
	Perl_pp_eprotoent,	/* implemented by Perl_pp_ehostent */
	Perl_pp_eservent,	/* implemented by Perl_pp_ehostent */
	Perl_pp_gpwnam,	/* implemented by Perl_pp_gpwent */
	Perl_pp_gpwuid,	/* implemented by Perl_pp_gpwent */
	Perl_pp_gpwent,
	Perl_pp_spwent,	/* implemented by Perl_pp_ehostent */
	Perl_pp_epwent,	/* implemented by Perl_pp_ehostent */
	Perl_pp_ggrnam,	/* implemented by Perl_pp_ggrent */
	Perl_pp_ggrgid,	/* implemented by Perl_pp_ggrent */
	Perl_pp_ggrent,
	Perl_pp_sgrent,	/* implemented by Perl_pp_ehostent */
	Perl_pp_egrent,	/* implemented by Perl_pp_ehostent */
	Perl_pp_getlogin,
	Perl_pp_syscall,
	Perl_pp_lock,
	Perl_pp_once,
	Perl_pp_custom,	/* implemented by Perl_unimplemented_op */
	Perl_pp_coreargs,
	Perl_pp_avhvswitch,
	Perl_pp_runcv,
	Perl_pp_fc,
	Perl_pp_padcv,
	Perl_pp_introcv,
	Perl_pp_clonecv,
	Perl_pp_padrange,
	Perl_pp_refassign,
	Perl_pp_lvref,
	Perl_pp_lvrefslice,
	Perl_pp_lvavref,
	Perl_pp_anonconst,
	Perl_pp_isa,
	Perl_pp_cmpchain_and,
	Perl_pp_cmpchain_dup,
	Perl_pp_entertrycatch,
	Perl_pp_leavetrycatch,
	Perl_pp_poptry,
	Perl_pp_catch,
	Perl_pp_pushdefer,
	Perl_pp_is_bool,
	Perl_pp_is_weak,
	Perl_pp_weaken,
	Perl_pp_unweaken,
	Perl_pp_blessed,
	Perl_pp_refaddr,
	Perl_pp_reftype,
	Perl_pp_ceil,
	Perl_pp_floor,
}
#endif
;

EXT Perl_check_t PL_check[] /* or perlvars.h */
#if defined(DOINIT)
= {
	Perl_ck_null,		/* null */
	Perl_ck_null,		/* stub */
	Perl_ck_fun,		/* scalar */
	Perl_ck_null,		/* pushmark */
	Perl_ck_null,		/* wantarray */
	Perl_ck_svconst,	/* const */
	Perl_ck_null,		/* gvsv */
	Perl_ck_null,		/* gv */
	Perl_ck_null,		/* gelem */
	Perl_ck_null,		/* padsv */
	Perl_ck_null,		/* padav */
	Perl_ck_null,		/* padhv */
	Perl_ck_null,		/* padany */
	Perl_ck_rvconst,	/* rv2gv */
	Perl_ck_rvconst,	/* rv2sv */
	Perl_ck_null,		/* av2arylen */
	Perl_ck_rvconst,	/* rv2cv */
	Perl_ck_anoncode,	/* anoncode */
	Perl_ck_prototype,	/* prototype */
	Perl_ck_spair,		/* refgen */
	Perl_ck_null,		/* srefgen */
	Perl_ck_fun,		/* ref */
	Perl_ck_fun,		/* bless */
	Perl_ck_backtick,	/* backtick */
	Perl_ck_glob,		/* glob */
	Perl_ck_readline,	/* readline */
	Perl_ck_null,		/* rcatline */
	Perl_ck_fun,		/* regcmaybe */
	Perl_ck_fun,		/* regcreset */
	Perl_ck_null,		/* regcomp */
	Perl_ck_match,		/* match */
	Perl_ck_match,		/* qr */
	Perl_ck_match,		/* subst */
	Perl_ck_null,		/* substcont */
	Perl_ck_match,		/* trans */
	Perl_ck_match,		/* transr */
	Perl_ck_sassign,	/* sassign */
	Perl_ck_null,		/* aassign */
	Perl_ck_spair,		/* chop */
	Perl_ck_null,		/* schop */
	Perl_ck_spair,		/* chomp */
	Perl_ck_null,		/* schomp */
	Perl_ck_defined,	/* defined */
	Perl_ck_fun,		/* undef */
	Perl_ck_fun,		/* study */
	Perl_ck_fun,		/* pos */
	Perl_ck_lfun,		/* preinc */
	Perl_ck_lfun,		/* i_preinc */
	Perl_ck_lfun,		/* predec */
	Perl_ck_lfun,		/* i_predec */
	Perl_ck_lfun,		/* postinc */
	Perl_ck_lfun,		/* i_postinc */
	Perl_ck_lfun,		/* postdec */
	Perl_ck_lfun,		/* i_postdec */
	Perl_ck_null,		/* pow */
	Perl_ck_null,		/* multiply */
	Perl_ck_null,		/* i_multiply */
	Perl_ck_null,		/* divide */
	Perl_ck_null,		/* i_divide */
	Perl_ck_null,		/* modulo */
	Perl_ck_null,		/* i_modulo */
	Perl_ck_repeat,		/* repeat */
	Perl_ck_null,		/* add */
	Perl_ck_null,		/* i_add */
	Perl_ck_null,		/* subtract */
	Perl_ck_null,		/* i_subtract */
	Perl_ck_concat,		/* concat */
	Perl_ck_null,		/* multiconcat */
	Perl_ck_stringify,	/* stringify */
	Perl_ck_bitop,		/* left_shift */
	Perl_ck_bitop,		/* right_shift */
	Perl_ck_cmp,		/* lt */
	Perl_ck_cmp,		/* i_lt */
	Perl_ck_cmp,		/* gt */
	Perl_ck_cmp,		/* i_gt */
	Perl_ck_cmp,		/* le */
	Perl_ck_cmp,		/* i_le */
	Perl_ck_cmp,		/* ge */
	Perl_ck_cmp,		/* i_ge */
	Perl_ck_cmp,		/* eq */
	Perl_ck_cmp,		/* i_eq */
	Perl_ck_cmp,		/* ne */
	Perl_ck_cmp,		/* i_ne */
	Perl_ck_null,		/* ncmp */
	Perl_ck_null,		/* i_ncmp */
	Perl_ck_null,		/* slt */
	Perl_ck_null,		/* sgt */
	Perl_ck_null,		/* sle */
	Perl_ck_null,		/* sge */
	Perl_ck_null,		/* seq */
	Perl_ck_null,		/* sne */
	Perl_ck_null,		/* scmp */
	Perl_ck_bitop,		/* bit_and */
	Perl_ck_bitop,		/* bit_xor */
	Perl_ck_bitop,		/* bit_or */
	Perl_ck_bitop,		/* nbit_and */
	Perl_ck_bitop,		/* nbit_xor */
	Perl_ck_bitop,		/* nbit_or */
	Perl_ck_bitop,		/* sbit_and */
	Perl_ck_bitop,		/* sbit_xor */
	Perl_ck_bitop,		/* sbit_or */
	Perl_ck_null,		/* negate */
	Perl_ck_null,		/* i_negate */
	Perl_ck_null,		/* not */
	Perl_ck_bitop,		/* complement */
	Perl_ck_bitop,		/* ncomplement */
	Perl_ck_null,		/* scomplement */
	Perl_ck_smartmatch,	/* smartmatch */
	Perl_ck_fun,		/* atan2 */
	Perl_ck_fun,		/* sin */
	Perl_ck_fun,		/* cos */
	Perl_ck_fun,		/* rand */
	Perl_ck_fun,		/* srand */
	Perl_ck_fun,		/* exp */
	Perl_ck_fun,		/* log */
	Perl_ck_fun,		/* sqrt */
	Perl_ck_fun,		/* int */
	Perl_ck_fun,		/* hex */
	Perl_ck_fun,		/* oct */
	Perl_ck_fun,		/* abs */
	Perl_ck_length,		/* length */
	Perl_ck_substr,		/* substr */
	Perl_ck_fun,		/* vec */
	Perl_ck_index,		/* index */
	Perl_ck_index,		/* rindex */
	Perl_ck_lfun,		/* sprintf */
	Perl_ck_fun,		/* formline */
	Perl_ck_fun,		/* ord */
	Perl_ck_fun,		/* chr */
	Perl_ck_fun,		/* crypt */
	Perl_ck_fun,		/* ucfirst */
	Perl_ck_fun,		/* lcfirst */
	Perl_ck_fun,		/* uc */
	Perl_ck_fun,		/* lc */
	Perl_ck_fun,		/* quotemeta */
	Perl_ck_rvconst,	/* rv2av */
	Perl_ck_null,		/* aelemfast */
	Perl_ck_null,		/* aelemfast_lex */
	Perl_ck_null,		/* aelem */
	Perl_ck_null,		/* aslice */
	Perl_ck_null,		/* kvaslice */
	Perl_ck_each,		/* aeach */
	Perl_ck_each,		/* avalues */
	Perl_ck_each,		/* akeys */
	Perl_ck_each,		/* each */
	Perl_ck_each,		/* values */
	Perl_ck_each,		/* keys */
	Perl_ck_delete,		/* delete */
	Perl_ck_exists,		/* exists */
	Perl_ck_rvconst,	/* rv2hv */
	Perl_ck_null,		/* helem */
	Perl_ck_null,		/* hslice */
	Perl_ck_null,		/* kvhslice */
	Perl_ck_null,		/* multideref */
	Perl_ck_fun,		/* unpack */
	Perl_ck_fun,		/* pack */
	Perl_ck_split,		/* split */
	Perl_ck_join,		/* join */
	Perl_ck_null,		/* list */
	Perl_ck_null,		/* lslice */
	Perl_ck_fun,		/* anonlist */
	Perl_ck_fun,		/* anonhash */
	Perl_ck_fun,		/* splice */
	Perl_ck_fun,		/* push */
	Perl_ck_shift,		/* pop */
	Perl_ck_shift,		/* shift */
	Perl_ck_fun,		/* unshift */
	Perl_ck_sort,		/* sort */
	Perl_ck_fun,		/* reverse */
	Perl_ck_grep,		/* grepstart */
	Perl_ck_null,		/* grepwhile */
	Perl_ck_grep,		/* mapstart */
	Perl_ck_null,		/* mapwhile */
	Perl_ck_null,		/* range */
	Perl_ck_null,		/* flip */
	Perl_ck_null,		/* flop */
	Perl_ck_null,		/* and */
	Perl_ck_null,		/* or */
	Perl_ck_null,		/* xor */
	Perl_ck_null,		/* dor */
	Perl_ck_null,		/* cond_expr */
	Perl_ck_null,		/* andassign */
	Perl_ck_null,		/* orassign */
	Perl_ck_null,		/* dorassign */
	Perl_ck_subr,		/* entersub */
	Perl_ck_null,		/* leavesub */
	Perl_ck_null,		/* leavesublv */
	Perl_ck_null,		/* argcheck */
	Perl_ck_null,		/* argelem */
	Perl_ck_null,		/* argdefelem */
	Perl_ck_fun,		/* caller */
	Perl_ck_fun,		/* warn */
	Perl_ck_fun,		/* die */
	Perl_ck_fun,		/* reset */
	Perl_ck_null,		/* lineseq */
	Perl_ck_null,		/* nextstate */
	Perl_ck_null,		/* dbstate */
	Perl_ck_null,		/* unstack */
	Perl_ck_null,		/* enter */
	Perl_ck_null,		/* leave */
	Perl_ck_null,		/* scope */
	Perl_ck_null,		/* enteriter */
	Perl_ck_null,		/* iter */
	Perl_ck_null,		/* enterloop */
	Perl_ck_null,		/* leaveloop */
	Perl_ck_return,		/* return */
	Perl_ck_null,		/* last */
	Perl_ck_null,		/* next */
	Perl_ck_null,		/* redo */
	Perl_ck_null,		/* dump */
	Perl_ck_null,		/* goto */
	Perl_ck_fun,		/* exit */
	Perl_ck_method,		/* method */
	Perl_ck_null,		/* method_named */
	Perl_ck_null,		/* method_super */
	Perl_ck_null,		/* method_redir */
	Perl_ck_null,		/* method_redir_super */
	Perl_ck_null,		/* entergiven */
	Perl_ck_null,		/* leavegiven */
	Perl_ck_null,		/* enterwhen */
	Perl_ck_null,		/* leavewhen */
	Perl_ck_null,		/* break */
	Perl_ck_null,		/* continue */
	Perl_ck_open,		/* open */
	Perl_ck_fun,		/* close */
	Perl_ck_fun,		/* pipe_op */
	Perl_ck_fun,		/* fileno */
	Perl_ck_fun,		/* umask */
	Perl_ck_fun,		/* binmode */
	Perl_ck_fun,		/* tie */
	Perl_ck_fun,		/* untie */
	Perl_ck_fun,		/* tied */
	Perl_ck_fun,		/* dbmopen */
	Perl_ck_fun,		/* dbmclose */
	Perl_ck_select,		/* sselect */
	Perl_ck_select,		/* select */
	Perl_ck_eof,		/* getc */
	Perl_ck_fun,		/* read */
	Perl_ck_fun,		/* enterwrite */
	Perl_ck_null,		/* leavewrite */
	Perl_ck_listiob,	/* prtf */
	Perl_ck_listiob,	/* print */
	Perl_ck_listiob,	/* say */
	Perl_ck_fun,		/* sysopen */
	Perl_ck_fun,		/* sysseek */
	Perl_ck_fun,		/* sysread */
	Perl_ck_fun,		/* syswrite */
	Perl_ck_eof,		/* eof */
	Perl_ck_tell,		/* tell */
	Perl_ck_tell,		/* seek */
	Perl_ck_trunc,		/* truncate */
	Perl_ck_fun,		/* fcntl */
	Perl_ck_fun,		/* ioctl */
	Perl_ck_fun,		/* flock */
	Perl_ck_fun,		/* send */
	Perl_ck_fun,		/* recv */
	Perl_ck_fun,		/* socket */
	Perl_ck_fun,		/* sockpair */
	Perl_ck_fun,		/* bind */
	Perl_ck_fun,		/* connect */
	Perl_ck_fun,		/* listen */
	Perl_ck_fun,		/* accept */
	Perl_ck_fun,		/* shutdown */
	Perl_ck_fun,		/* gsockopt */
	Perl_ck_fun,		/* ssockopt */
	Perl_ck_fun,		/* getsockname */
	Perl_ck_fun,		/* getpeername */
	Perl_ck_ftst,		/* lstat */
	Perl_ck_ftst,		/* stat */
	Perl_ck_ftst,		/* ftrread */
	Perl_ck_ftst,		/* ftrwrite */
	Perl_ck_ftst,		/* ftrexec */
	Perl_ck_ftst,		/* fteread */
	Perl_ck_ftst,		/* ftewrite */
	Perl_ck_ftst,		/* fteexec */
	Perl_ck_ftst,		/* ftis */
	Perl_ck_ftst,		/* ftsize */
	Perl_ck_ftst,		/* ftmtime */
	Perl_ck_ftst,		/* ftatime */
	Perl_ck_ftst,		/* ftctime */
	Perl_ck_ftst,		/* ftrowned */
	Perl_ck_ftst,		/* fteowned */
	Perl_ck_ftst,		/* ftzero */
	Perl_ck_ftst,		/* ftsock */
	Perl_ck_ftst,		/* ftchr */
	Perl_ck_ftst,		/* ftblk */
	Perl_ck_ftst,		/* ftfile */
	Perl_ck_ftst,		/* ftdir */
	Perl_ck_ftst,		/* ftpipe */
	Perl_ck_ftst,		/* ftsuid */
	Perl_ck_ftst,		/* ftsgid */
	Perl_ck_ftst,		/* ftsvtx */
	Perl_ck_ftst,		/* ftlink */
	Perl_ck_ftst,		/* fttty */
	Perl_ck_ftst,		/* fttext */
	Perl_ck_ftst,		/* ftbinary */
	Perl_ck_trunc,		/* chdir */
	Perl_ck_fun,		/* chown */
	Perl_ck_fun,		/* chroot */
	Perl_ck_fun,		/* unlink */
	Perl_ck_fun,		/* chmod */
	Perl_ck_fun,		/* utime */
	Perl_ck_fun,		/* rename */
	Perl_ck_fun,		/* link */
	Perl_ck_fun,		/* symlink */
	Perl_ck_fun,		/* readlink */
	Perl_ck_fun,		/* mkdir */
	Perl_ck_fun,		/* rmdir */
	Perl_ck_fun,		/* open_dir */
	Perl_ck_fun,		/* readdir */
	Perl_ck_fun,		/* telldir */
	Perl_ck_fun,		/* seekdir */
	Perl_ck_fun,		/* rewinddir */
	Perl_ck_fun,		/* closedir */
	Perl_ck_null,		/* fork */
	Perl_ck_null,		/* wait */
	Perl_ck_fun,		/* waitpid */
	Perl_ck_exec,		/* system */
	Perl_ck_exec,		/* exec */
	Perl_ck_fun,		/* kill */
	Perl_ck_null,		/* getppid */
	Perl_ck_fun,		/* getpgrp */
	Perl_ck_fun,		/* setpgrp */
	Perl_ck_fun,		/* getpriority */
	Perl_ck_fun,		/* setpriority */
	Perl_ck_null,		/* time */
	Perl_ck_null,		/* tms */
	Perl_ck_fun,		/* localtime */
	Perl_ck_fun,		/* gmtime */
	Perl_ck_fun,		/* alarm */
	Perl_ck_fun,		/* sleep */
	Perl_ck_fun,		/* shmget */
	Perl_ck_fun,		/* shmctl */
	Perl_ck_fun,		/* shmread */
	Perl_ck_fun,		/* shmwrite */
	Perl_ck_fun,		/* msgget */
	Perl_ck_fun,		/* msgctl */
	Perl_ck_fun,		/* msgsnd */
	Perl_ck_fun,		/* msgrcv */
	Perl_ck_fun,		/* semop */
	Perl_ck_fun,		/* semget */
	Perl_ck_fun,		/* semctl */
	Perl_ck_require,	/* require */
	Perl_ck_fun,		/* dofile */
	Perl_ck_svconst,	/* hintseval */
	Perl_ck_eval,		/* entereval */
	Perl_ck_null,		/* leaveeval */
	Perl_ck_eval,		/* entertry */
	Perl_ck_null,		/* leavetry */
	Perl_ck_fun,		/* ghbyname */
	Perl_ck_fun,		/* ghbyaddr */
	Perl_ck_null,		/* ghostent */
	Perl_ck_fun,		/* gnbyname */
	Perl_ck_fun,		/* gnbyaddr */
	Perl_ck_null,		/* gnetent */
	Perl_ck_fun,		/* gpbyname */
	Perl_ck_fun,		/* gpbynumber */
	Perl_ck_null,		/* gprotoent */
	Perl_ck_fun,		/* gsbyname */
	Perl_ck_fun,		/* gsbyport */
	Perl_ck_null,		/* gservent */
	Perl_ck_fun,		/* shostent */
	Perl_ck_fun,		/* snetent */
	Perl_ck_fun,		/* sprotoent */
	Perl_ck_fun,		/* sservent */
	Perl_ck_null,		/* ehostent */
	Perl_ck_null,		/* enetent */
	Perl_ck_null,		/* eprotoent */
	Perl_ck_null,		/* eservent */
	Perl_ck_fun,		/* gpwnam */
	Perl_ck_fun,		/* gpwuid */
	Perl_ck_null,		/* gpwent */
	Perl_ck_null,		/* spwent */
	Perl_ck_null,		/* epwent */
	Perl_ck_fun,		/* ggrnam */
	Perl_ck_fun,		/* ggrgid */
	Perl_ck_null,		/* ggrent */
	Perl_ck_null,		/* sgrent */
	Perl_ck_null,		/* egrent */
	Perl_ck_null,		/* getlogin */
	Perl_ck_fun,		/* syscall */
	Perl_ck_rfun,		/* lock */
	Perl_ck_null,		/* once */
	Perl_ck_null,		/* custom */
	Perl_ck_null,		/* coreargs */
	Perl_ck_null,		/* avhvswitch */
	Perl_ck_null,		/* runcv */
	Perl_ck_fun,		/* fc */
	Perl_ck_null,		/* padcv */
	Perl_ck_null,		/* introcv */
	Perl_ck_null,		/* clonecv */
	Perl_ck_null,		/* padrange */
	Perl_ck_refassign,	/* refassign */
	Perl_ck_null,		/* lvref */
	Perl_ck_null,		/* lvrefslice */
	Perl_ck_null,		/* lvavref */
	Perl_ck_null,		/* anonconst */
	Perl_ck_isa,		/* isa */
	Perl_ck_null,		/* cmpchain_and */
	Perl_ck_null,		/* cmpchain_dup */
	Perl_ck_trycatch,	/* entertrycatch */
	Perl_ck_null,		/* leavetrycatch */
	Perl_ck_null,		/* poptry */
	Perl_ck_null,		/* catch */
	Perl_ck_null,		/* pushdefer */
	Perl_ck_null,		/* is_bool */
	Perl_ck_null,		/* is_weak */
	Perl_ck_null,		/* weaken */
	Perl_ck_null,		/* unweaken */
	Perl_ck_null,		/* blessed */
	Perl_ck_null,		/* refaddr */
	Perl_ck_null,		/* reftype */
	Perl_ck_null,		/* ceil */
	Perl_ck_null,		/* floor */
}
#endif
;

#ifndef DOINIT
EXTCONST U32 PL_opargs[];
#else
EXTCONST U32 PL_opargs[] = {
	0x00000000,	/* null */
	0x00000000,	/* stub */
	0x00001b04,	/* scalar */
	0x00000004,	/* pushmark */
	0x00000004,	/* wantarray */
	0x00000604,	/* const */
	0x00000644,	/* gvsv */
	0x00000644,	/* gv */
	0x00011244,	/* gelem */
	0x00000044,	/* padsv */
	0x00000040,	/* padav */
	0x00000040,	/* padhv */
	0x00000040,	/* padany */
	0x00000144,	/* rv2gv */
	0x00000144,	/* rv2sv */
	0x00000104,	/* av2arylen */
	0x00000140,	/* rv2cv */
	0x00000604,	/* anoncode */
	0x00009b84,	/* prototype */
	0x00002101,	/* refgen */
	0x00001106,	/* srefgen */
	0x00009b8c,	/* ref */
	0x00091404,	/* bless */
	0x00009b88,	/* backtick */
	0x00009408,	/* glob */
	0x0000eb08,	/* readline */
	0x00000608,	/* rcatline */
	0x00001104,	/* regcmaybe */
	0x00001104,	/* regcreset */
	0x00001304,	/* regcomp */
	0x00000500,	/* match */
	0x00000504,	/* qr */
	0x00001504,	/* subst */
	0x00000304,	/* substcont */
	0x00001804,	/* trans */
	0x00001804,	/* transr */
	0x00011204,	/* sassign */
	0x00022208,	/* aassign */
	0x00002b0d,	/* chop */
	0x00009b8c,	/* schop */
	0x00002b1d,	/* chomp */
	0x00009b9c,	/* schomp */
	0x00009b84,	/* defined */
	0x0000fb04,	/* undef */
	0x00009b84,	/* study */
	0x0000fb8c,	/* pos */
	0x00001164,	/* preinc */
	0x00001144,	/* i_preinc */
	0x00001164,	/* predec */
	0x00001144,	/* i_predec */
	0x0000112c,	/* postinc */
	0x0000110c,	/* i_postinc */
	0x0000112c,	/* postdec */
	0x0000110c,	/* i_postdec */
	0x0001121e,	/* pow */
	0x0001123e,	/* multiply */
	0x0001121e,	/* i_multiply */
	0x0001123e,	/* divide */
	0x0001121e,	/* i_divide */
	0x0001123e,	/* modulo */
	0x0001121e,	/* i_modulo */
	0x0001220b,	/* repeat */
	0x0001123e,	/* add */
	0x0001121e,	/* i_add */
	0x0001123e,	/* subtract */
	0x0001121e,	/* i_subtract */
	0x0001121e,	/* concat */
	0x00000f1c,	/* multiconcat */
	0x0000141e,	/* stringify */
	0x0001121e,	/* left_shift */
	0x0001121e,	/* right_shift */
	0x00011226,	/* lt */
	0x00011206,	/* i_lt */
	0x00011226,	/* gt */
	0x00011206,	/* i_gt */
	0x00011226,	/* le */
	0x00011206,	/* i_le */
	0x00011226,	/* ge */
	0x00011206,	/* i_ge */
	0x00011226,	/* eq */
	0x00011206,	/* i_eq */
	0x00011226,	/* ne */
	0x00011206,	/* i_ne */
	0x0001122e,	/* ncmp */
	0x0001120e,	/* i_ncmp */
	0x00011206,	/* slt */
	0x00011206,	/* sgt */
	0x00011206,	/* sle */
	0x00011206,	/* sge */
	0x00011206,	/* seq */
	0x00011206,	/* sne */
	0x0001120e,	/* scmp */
	0x0001120e,	/* bit_and */
	0x0001120e,	/* bit_xor */
	0x0001120e,	/* bit_or */
	0x0001121e,	/* nbit_and */
	0x0001121e,	/* nbit_xor */
	0x0001121e,	/* nbit_or */
	0x0001120e,	/* sbit_and */
	0x0001120e,	/* sbit_xor */
	0x0001120e,	/* sbit_or */
	0x0000112e,	/* negate */
	0x0000110e,	/* i_negate */
	0x00001106,	/* not */
	0x0000110e,	/* complement */
	0x0000111e,	/* ncomplement */
	0x0000111e,	/* scomplement */
	0x00000204,	/* smartmatch */
	0x0001141e,	/* atan2 */
	0x00009b9e,	/* sin */
	0x00009b9e,	/* cos */
	0x00009b1c,	/* rand */
	0x00009b1c,	/* srand */
	0x00009b9e,	/* exp */
	0x00009b9e,	/* log */
	0x00009b9e,	/* sqrt */
	0x00009b9e,	/* int */
	0x00009b9e,	/* hex */
	0x00009b9e,	/* oct */
	0x00009b9e,	/* abs */
	0x00009b9e,	/* length */
	0x0991140c,	/* substr */
	0x0011140c,	/* vec */
	0x0091141c,	/* index */
	0x0091141c,	/* rindex */
	0x0002140f,	/* sprintf */
	0x00021405,	/* formline */
	0x00009b9e,	/* ord */
	0x00009b9e,	/* chr */
	0x0001141e,	/* crypt */
	0x00009b8e,	/* ucfirst */
	0x00009b8e,	/* lcfirst */
	0x00009b8e,	/* uc */
	0x00009b8e,	/* lc */
	0x00009b8e,	/* quotemeta */
	0x00000148,	/* rv2av */
	0x00013644,	/* aelemfast */
	0x00013040,	/* aelemfast_lex */
	0x00013204,	/* aelem */
	0x00023401,	/* aslice */
	0x00023401,	/* kvaslice */
	0x00003b40,	/* aeach */
	0x00003b48,	/* avalues */
	0x00003b08,	/* akeys */
	0x00004b40,	/* each */
	0x00004b48,	/* values */
	0x00004b08,	/* keys */
	0x00001b00,	/* delete */
	0x00001b04,	/* exists */
	0x00000148,	/* rv2hv */
	0x00014204,	/* helem */
	0x00024401,	/* hslice */
	0x00024401,	/* kvhslice */
	0x00000f44,	/* multideref */
	0x00091480,	/* unpack */
	0x0002140f,	/* pack */
	0x00111508,	/* split */
	0x0002140f,	/* join */
	0x00002401,	/* list */
	0x00224200,	/* lslice */
	0x00002405,	/* anonlist */
	0x00002405,	/* anonhash */
	0x02993401,	/* splice */
	0x0002341d,	/* push */
	0x0000bb04,	/* pop */
	0x0000bb04,	/* shift */
	0x0002341d,	/* unshift */
	0x0002d401,	/* sort */
	0x00002409,	/* reverse */
	0x00025401,	/* grepstart */
	0x00000308,	/* grepwhile */
	0x00025401,	/* mapstart */
	0x00000308,	/* mapwhile */
	0x00011300,	/* range */
	0x00011100,	/* flip */
	0x00000100,	/* flop */
	0x00000300,	/* and */
	0x00000300,	/* or */
	0x00011206,	/* xor */
	0x00000300,	/* dor */
	0x00000300,	/* cond_expr */
	0x00000304,	/* andassign */
	0x00000304,	/* orassign */
	0x00000304,	/* dorassign */
	0x00002141,	/* entersub */
	0x00000100,	/* leavesub */
	0x00000100,	/* leavesublv */
	0x00000f00,	/* argcheck */
	0x00000f00,	/* argelem */
	0x00000300,	/* argdefelem */
	0x00009b08,	/* caller */
	0x0000240d,	/* warn */
	0x0000240d,	/* die */
	0x00009b04,	/* reset */
	0x00000400,	/* lineseq */
	0x00000a04,	/* nextstate */
	0x00000a04,	/* dbstate */
	0x00000004,	/* unstack */
	0x00000000,	/* enter */
	0x00000400,	/* leave */
	0x00000400,	/* scope */
	0x00000940,	/* enteriter */
	0x00000000,	/* iter */
	0x00000940,	/* enterloop */
	0x00000200,	/* leaveloop */
	0x00002401,	/* return */
	0x00000d04,	/* last */
	0x00000d04,	/* next */
	0x00000d04,	/* redo */
	0x00000d44,	/* dump */
	0x00000d04,	/* goto */
	0x00009b04,	/* exit */
	0x00000e40,	/* method */
	0x00000e40,	/* method_named */
	0x00000e40,	/* method_super */
	0x00000e40,	/* method_redir */
	0x00000e40,	/* method_redir_super */
	0x00000340,	/* entergiven */
	0x00000100,	/* leavegiven */
	0x00000340,	/* enterwhen */
	0x00000100,	/* leavewhen */
	0x00000000,	/* break */
	0x00000000,	/* continue */
	0x0029640d,	/* open */
	0x0000eb04,	/* close */
	0x00066404,	/* pipe_op */
	0x00006b0c,	/* fileno */
	0x00009b0c,	/* umask */
	0x00096404,	/* binmode */
	0x00217445,	/* tie */
	0x00007b04,	/* untie */
	0x00007b44,	/* tied */
	0x00114404,	/* dbmopen */
	0x00004b04,	/* dbmclose */
	0x01111408,	/* sselect */
	0x0000e40c,	/* select */
	0x0000eb0c,	/* getc */
	0x0917640d,	/* read */
	0x0000eb04,	/* enterwrite */
	0x00000100,	/* leavewrite */
	0x0002e405,	/* prtf */
	0x0002e405,	/* print */
	0x0002e405,	/* say */
	0x09116404,	/* sysopen */
	0x00116404,	/* sysseek */
	0x0917640d,	/* sysread */
	0x0991640d,	/* syswrite */
	0x0000eb04,	/* eof */
	0x0000eb0c,	/* tell */
	0x00116404,	/* seek */
	0x00011404,	/* truncate */
	0x0011640c,	/* fcntl */
	0x0011640c,	/* ioctl */
	0x0001641c,	/* flock */
	0x0911640d,	/* send */
	0x0117640d,	/* recv */
	0x01116404,	/* socket */
	0x11166404,	/* sockpair */
	0x00016404,	/* bind */
	0x00016404,	/* connect */
	0x00016404,	/* listen */
	0x0006640c,	/* accept */
	0x0001640c,	/* shutdown */
	0x00116404,	/* gsockopt */
	0x01116404,	/* ssockopt */
	0x00006b04,	/* getsockname */
	0x00006b04,	/* getpeername */
	0x0000ec80,	/* lstat */
	0x0000ec80,	/* stat */
	0x00006c84,	/* ftrread */
	0x00006c84,	/* ftrwrite */
	0x00006c84,	/* ftrexec */
	0x00006c84,	/* fteread */
	0x00006c84,	/* ftewrite */
	0x00006c84,	/* fteexec */
	0x00006c84,	/* ftis */
	0x00006c8c,	/* ftsize */
	0x00006c8c,	/* ftmtime */
	0x00006c8c,	/* ftatime */
	0x00006c8c,	/* ftctime */
	0x00006c84,	/* ftrowned */
	0x00006c84,	/* fteowned */
	0x00006c84,	/* ftzero */
	0x00006c84,	/* ftsock */
	0x00006c84,	/* ftchr */
	0x00006c84,	/* ftblk */
	0x00006c84,	/* ftfile */
	0x00006c84,	/* ftdir */
	0x00006c84,	/* ftpipe */
	0x00006c84,	/* ftsuid */
	0x00006c84,	/* ftsgid */
	0x00006c84,	/* ftsvtx */
	0x00006c84,	/* ftlink */
	0x00006c04,	/* fttty */
	0x00006c84,	/* fttext */
	0x00006c84,	/* ftbinary */
	0x00009b1c,	/* chdir */
	0x0000241d,	/* chown */
	0x00009b9c,	/* chroot */
	0x0000249d,	/* unlink */
	0x0000241d,	/* chmod */
	0x0000241d,	/* utime */
	0x0001141c,	/* rename */
	0x0001141c,	/* link */
	0x0001141c,	/* symlink */
	0x00009b8c,	/* readlink */
	0x0009949c,	/* mkdir */
	0x00009b9c,	/* rmdir */
	0x00016404,	/* open_dir */
	0x00006b00,	/* readdir */
	0x00006b0c,	/* telldir */
	0x00016404,	/* seekdir */
	0x00006b04,	/* rewinddir */
	0x00006b04,	/* closedir */
	0x0000000c,	/* fork */
	0x0000001c,	/* wait */
	0x0001141c,	/* waitpid */
	0x0002941d,	/* system */
	0x0002941d,	/* exec */
	0x0000241d,	/* kill */
	0x0000001c,	/* getppid */
	0x00009b1c,	/* getpgrp */
	0x0009941c,	/* setpgrp */
	0x0001141c,	/* getpriority */
	0x0011141c,	/* setpriority */
	0x0000001c,	/* time */
	0x00000000,	/* tms */
	0x00009b08,	/* localtime */
	0x00009b08,	/* gmtime */
	0x00009b8c,	/* alarm */
	0x00009b1c,	/* sleep */
	0x0011140d,	/* shmget */
	0x0011140d,	/* shmctl */
	0x0111140d,	/* shmread */
	0x0111140d,	/* shmwrite */
	0x0001140d,	/* msgget */
	0x0011140d,	/* msgctl */
	0x0011140d,	/* msgsnd */
	0x1111140d,	/* msgrcv */
	0x0001140d,	/* semop */
	0x0011140d,	/* semget */
	0x0111140d,	/* semctl */
	0x00009bc4,	/* require */
	0x00001140,	/* dofile */
	0x00000604,	/* hintseval */
	0x00009bc0,	/* entereval */
	0x00001100,	/* leaveeval */
	0x00000340,	/* entertry */
	0x00000400,	/* leavetry */
	0x00001b00,	/* ghbyname */
	0x00011400,	/* ghbyaddr */
	0x00000000,	/* ghostent */
	0x00001b00,	/* gnbyname */
	0x00011400,	/* gnbyaddr */
	0x00000000,	/* gnetent */
	0x00001b00,	/* gpbyname */
	0x00001400,	/* gpbynumber */
	0x00000000,	/* gprotoent */
	0x00011400,	/* gsbyname */
	0x00011400,	/* gsbyport */
	0x00000000,	/* gservent */
	0x00001b04,	/* shostent */
	0x00001b04,	/* snetent */
	0x00001b04,	/* sprotoent */
	0x00001b04,	/* sservent */
	0x00000004,	/* ehostent */
	0x00000004,	/* enetent */
	0x00000004,	/* eprotoent */
	0x00000004,	/* eservent */
	0x00001b00,	/* gpwnam */
	0x00001b00,	/* gpwuid */
	0x00000000,	/* gpwent */
	0x00000004,	/* spwent */
	0x00000004,	/* epwent */
	0x00001b00,	/* ggrnam */
	0x00001b00,	/* ggrgid */
	0x00000000,	/* ggrent */
	0x00000004,	/* sgrent */
	0x00000004,	/* egrent */
	0x0000000c,	/* getlogin */
	0x0002140d,	/* syscall */
	0x00007b04,	/* lock */
	0x00000300,	/* once */
	0x00000000,	/* custom */
	0x00000600,	/* coreargs */
	0x00000108,	/* avhvswitch */
	0x00000004,	/* runcv */
	0x00009b8e,	/* fc */
	0x00000040,	/* padcv */
	0x00000040,	/* introcv */
	0x00000040,	/* clonecv */
	0x00000040,	/* padrange */
	0x00000244,	/* refassign */
	0x00000b40,	/* lvref */
	0x00000440,	/* lvrefslice */
	0x00000b40,	/* lvavref */
	0x00000144,	/* anonconst */
	0x00000204,	/* isa */
	0x00000300,	/* cmpchain_and */
	0x00000100,	/* cmpchain_dup */
	0x00000300,	/* entertrycatch */
	0x00000400,	/* leavetrycatch */
	0x00000400,	/* poptry */
	0x00000300,	/* catch */
	0x00000300,	/* pushdefer */
	0x0000011e,	/* is_bool */
	0x0000011e,	/* is_weak */
	0x00000100,	/* weaken */
	0x00000100,	/* unweaken */
	0x00000106,	/* blessed */
	0x0000011e,	/* refaddr */
	0x0000011e,	/* reftype */
	0x0000011e,	/* ceil */
	0x0000011e,	/* floor */
};
#endif

END_EXTERN_C


#define OPpARGELEM_SV           0x00
#define OPpLVREF_SV             0x00
#define OPpARG1_MASK            0x01
#define OPpCOREARGS_DEREF1      0x01
#define OPpENTERSUB_INARGS      0x01
#define OPpPADHV_ISKEYS         0x01
#define OPpRV2HV_ISKEYS         0x01
#define OPpSORT_NUMERIC         0x01
#define OPpTRANS_CAN_FORCE_UTF8 0x01
#define OPpARGELEM_AV           0x02
#define OPpCONST_NOVER          0x02
#define OPpCOREARGS_DEREF2      0x02
#define OPpEVAL_HAS_HH          0x02
#define OPpFT_ACCESS            0x02
#define OPpHINT_STRICT_REFS     0x02
#define OPpITER_REVERSED        0x02
#define OPpSORT_INTEGER         0x02
#define OPpTRANS_USE_SVOP       0x02
#define OPpARG2_MASK            0x03
#define OPpAVHVSWITCH_MASK      0x03
#define OPpARGELEM_HV           0x04
#define OPpASSIGN_TRUEBOOL      0x04
#define OPpCONST_SHORTCIRCUIT   0x04
#define OPpDONT_INIT_GV         0x04
#define OPpENTERSUB_HASTARG     0x04
#define OPpEVAL_UNICODE         0x04
#define OPpFT_STACKED           0x04
#define OPpLVREF_ELEM           0x04
#define OPpSLICEWARNING         0x04
#define OPpSORT_REVERSE         0x04
#define OPpSPLIT_IMPLIM         0x04
#define OPpTRANS_IDENTICAL      0x04
#define OPpUSEINT               0x04
#define OPpARGELEM_MASK         0x06
#define OPpARG3_MASK            0x07
#define OPpPADRANGE_COUNTSHIFT  0x07
#define OPpCONST_STRICT         0x08
#define OPpENTERSUB_AMPER       0x08
#define OPpEVAL_BYTES           0x08
#define OPpFT_STACKING          0x08
#define OPpITER_DEF             0x08
#define OPpLVREF_ITER           0x08
#define OPpMAYBE_LVSUB          0x08
#define OPpMULTICONCAT_STRINGIFY 0x08
#define OPpREVERSE_INPLACE      0x08
#define OPpSORT_INPLACE         0x08
#define OPpSPLIT_LEX            0x08
#define OPpTRANS_SQUASH         0x08
#define OPpARG4_MASK            0x0f
#define OPpASSIGN_COMMON_AGG    0x10
#define OPpCONST_ENTERED        0x10
#define OPpDEREF_AV             0x10
#define OPpEVAL_COPHH           0x10
#define OPpFT_AFTER_t           0x10
#define OPpLVREF_AV             0x10
#define OPpMAYBE_TRUEBOOL       0x10
#define OPpMULTIDEREF_EXISTS    0x10
#define OPpOPEN_IN_RAW          0x10
#define OPpSORT_DESCEND         0x10
#define OPpSPLIT_ASSIGN         0x10
#define OPpSUBSTR_REPL_FIRST    0x10
#define OPpTARGET_MY            0x10
#define OPpASSIGN_COMMON_RC1    0x20
#define OPpDEREF_HV             0x20
#define OPpEARLY_CV             0x20
#define OPpEVAL_RE_REPARSING    0x20
#define OPpHUSH_VMSISH          0x20
#define OPpKVSLICE              0x20
#define OPpLVREF_HV             0x20
#define OPpMAY_RETURN_CONSTANT  0x20
#define OPpMULTICONCAT_FAKE     0x20
#define OPpMULTIDEREF_DELETE    0x20
#define OPpOPEN_IN_CRLF         0x20
#define OPpTRANS_COMPLEMENT     0x20
#define OPpTRUEBOOL             0x20
#define OPpDEREF                0x30
#define OPpDEREF_SV             0x30
#define OPpLVREF_CV             0x30
#define OPpLVREF_TYPE           0x30
#define OPpALLOW_FAKE           0x40
#define OPpASSIGN_BACKWARDS     0x40
#define OPpASSIGN_COMMON_SCALAR 0x40
#define OPpCONCAT_NESTED        0x40
#define OPpCONST_BARE           0x40
#define OPpCOREARGS_SCALARMOD   0x40
#define OPpENTERSUB_DB          0x40
#define OPpEXISTS_SUB           0x40
#define OPpFLIP_LINENUM         0x40
#define OPpINDEX_BOOLNEG        0x40
#define OPpLIST_GUESSED         0x40
#define OPpLVAL_DEFER           0x40
#define OPpMULTICONCAT_APPEND   0x40
#define OPpOPEN_OUT_RAW         0x40
#define OPpOUR_INTRO            0x40
#define OPpPAD_STATE            0x40
#define OPpREFCOUNTED           0x40
#define OPpREPEAT_DOLIST        0x40
#define OPpSLICE                0x40
#define OPpTRANS_GROWS          0x40
#define OPpPADRANGE_COUNTMASK   0x7f
#define OPpASSIGN_CV_TO_GV      0x80
#define OPpCOREARGS_PUSHMARK    0x80
#define OPpDEFER_FINALLY        0x80
#define OPpENTERSUB_NOPAREN     0x80
#define OPpLVALUE               0x80
#define OPpLVAL_INTRO           0x80
#define OPpOFFBYONE             0x80
#define OPpOPEN_OUT_CRLF        0x80
#define OPpPV_IS_UTF8           0x80
#define OPpTRANS_DELETE         0x80
START_EXTERN_C

#ifndef DOINIT

/* data about the flags in op_private */

EXTCONST I16  PL_op_private_bitdef_ix[];
EXTCONST U16  PL_op_private_bitdefs[];
EXTCONST char PL_op_private_labels[];
EXTCONST I16  PL_op_private_bitfields[];
EXTCONST U8   PL_op_private_valid[];

#else


/* PL_op_private_labels[]: the short descriptions of private flags.
 * All labels are concatenated into a single char array
 * (separated by \0's) for compactness.
 */

EXTCONST char PL_op_private_labels[] = {
    '$','M','O','D','\0',
    '+','1','\0',
    '-','\0',
    'A','M','P','E','R','\0',
    'A','P','P','E','N','D','\0',
    'A','S','S','I','G','N','\0',
    'A','V','\0',
    'B','A','R','E','\0',
    'B','K','W','A','R','D','\0',
    'B','O','O','L','\0',
    'B','O','O','L','?','\0',
    'B','Y','T','E','S','\0',
    'C','A','N','_','F','O','R','C','E','_','U','T','F','8','\0',
    'C','O','M','P','L','\0',
    'C','O','M','_','A','G','G','\0',
    'C','O','M','_','R','C','1','\0',
    'C','O','M','_','S','C','A','L','A','R','\0',
    'C','O','N','S','T','\0',
    'C','O','P','H','H','\0',
    'C','V','\0',
    'C','V','2','G','V','\0',
    'D','B','G','\0',
    'D','E','F','\0',
    'D','E','L','\0',
    'D','E','L','E','T','E','\0',
    'D','E','R','E','F','1','\0',
    'D','E','R','E','F','2','\0',
    'D','E','S','C','\0',
    'D','O','L','I','S','T','\0',
    'D','R','E','F','A','V','\0',
    'D','R','E','F','H','V','\0',
    'D','R','E','F','S','V','\0',
    'E','A','R','L','Y','C','V','\0',
    'E','L','E','M','\0',
    'E','N','T','E','R','E','D','\0',
    'E','X','I','S','T','S','\0',
    'F','A','K','E','\0',
    'F','I','N','A','L','L','Y','\0',
    'F','T','A','C','C','E','S','S','\0',
    'F','T','A','F','T','E','R','t','\0',
    'F','T','S','T','A','C','K','E','D','\0',
    'F','T','S','T','A','C','K','I','N','G','\0',
    'G','R','O','W','S','\0',
    'G','U','E','S','S','E','D','\0',
    'H','A','S','_','H','H','\0',
    'H','U','S','H','\0',
    'H','V','\0',
    'I','D','E','N','T','\0',
    'I','M','P','L','I','M','\0',
    'I','N','A','R','G','S','\0',
    'I','N','B','I','N','\0',
    'I','N','C','R','\0',
    'I','N','P','L','A','C','E','\0',
    'I','N','T','\0',
    'I','T','E','R','\0',
    'K','E','Y','S','\0',
    'K','V','S','L','I','C','E','\0',
    'L','E','X','\0',
    'L','I','N','E','N','U','M','\0',
    'L','V','\0',
    'L','V','D','E','F','E','R','\0',
    'L','V','I','N','T','R','O','\0',
    'L','V','S','U','B','\0',
    'M','A','R','K','\0',
    'N','E','G','\0',
    'N','E','S','T','E','D','\0',
    'N','O','(',')','\0',
    'N','O','I','N','I','T','\0',
    'N','O','V','E','R','\0',
    'N','U','M','\0',
    'O','U','R','I','N','T','R','\0',
    'O','U','T','B','I','N','\0',
    'O','U','T','C','R','\0',
    'R','E','F','C','\0',
    'R','E','P','A','R','S','E','\0',
    'R','E','P','L','1','S','T','\0',
    'R','E','V','\0',
    'R','E','V','E','R','S','E','D','\0',
    'S','H','O','R','T','\0',
    'S','L','I','C','E','\0',
    'S','L','I','C','E','W','A','R','N','\0',
    'S','Q','U','A','S','H','\0',
    'S','T','A','T','E','\0',
    'S','T','R','I','C','T','\0',
    'S','T','R','I','N','G','I','F','Y','\0',
    'S','U','B','\0',
    'S','V','\0',
    'T','A','R','G','\0',
    'T','A','R','G','M','Y','\0',
    'U','N','I','\0',
    'U','S','E','I','N','T','\0',
    'U','S','E','_','S','V','O','P','\0',
    'U','T','F','\0',
    'k','e','y','\0',
    'o','f','f','s','e','t','\0',
    'r','a','n','g','e','\0',

};



/* PL_op_private_bitfields[]: details about each bit field type.
 * Each definition consists of the following list of words:
 *    bitmin
 *    label (index into PL_op_private_labels[]; -1 if no label)
 *    repeat for each enum entry (if any):
 *       enum value
 *       enum label (index into PL_op_private_labels[])
 *    -1
 */

EXTCONST I16 PL_op_private_bitfields[] = {
    0, 8, -1,
    0, 8, -1,
    0, 596, -1,
    0, 8, -1,
    0, 8, -1,
    0, 603, -1,
    0, 592, -1,
    1, -1, 0, 553, 1, 30, 2, 303, -1,
    4, -1, 1, 176, 2, 183, 3, 190, -1,
    4, -1, 0, 553, 1, 30, 2, 303, 3, 122, -1,

};


/* PL_op_private_bitdef_ix[]: map an op number to a starting position
 * in PL_op_private_bitdefs.  If -1, the op has no bits defined */

EXTCONST I16  PL_op_private_bitdef_ix[] = {
      -1, /* null */
      -1, /* stub */
       0, /* scalar */
       1, /* pushmark */
       3, /* wantarray */
       4, /* const */
       9, /* gvsv */
      11, /* gv */
      12, /* gelem */
      13, /* padsv */
      16, /* padav */
      21, /* padhv */
      -1, /* padany */
      28, /* rv2gv */
      35, /* rv2sv */
      40, /* av2arylen */
      42, /* rv2cv */
      -1, /* anoncode */
       0, /* prototype */
       0, /* refgen */
       0, /* srefgen */
      49, /* ref */
      52, /* bless */
      53, /* backtick */
      52, /* glob */
       0, /* readline */
      -1, /* rcatline */
       0, /* regcmaybe */
       0, /* regcreset */
       0, /* regcomp */
      -1, /* match */
      -1, /* qr */
      58, /* subst */
       0, /* substcont */
      59, /* trans */
      59, /* transr */
      66, /* sassign */
      69, /* aassign */
       0, /* chop */
       0, /* schop */
      75, /* chomp */
      75, /* schomp */
       0, /* defined */
       0, /* undef */
       0, /* study */
      77, /* pos */
       0, /* preinc */
       0, /* i_preinc */
       0, /* predec */
       0, /* i_predec */
       0, /* postinc */
       0, /* i_postinc */
       0, /* postdec */
       0, /* i_postdec */
      80, /* pow */
      80, /* multiply */
      80, /* i_multiply */
      80, /* divide */
      80, /* i_divide */
      80, /* modulo */
      80, /* i_modulo */
      82, /* repeat */
      80, /* add */
      80, /* i_add */
      80, /* subtract */
      80, /* i_subtract */
      84, /* concat */
      87, /* multiconcat */
      93, /* stringify */
      95, /* left_shift */
      95, /* right_shift */
      12, /* lt */
      12, /* i_lt */
      12, /* gt */
      12, /* i_gt */
      12, /* le */
      12, /* i_le */
      12, /* ge */
      12, /* i_ge */
      12, /* eq */
      12, /* i_eq */
      12, /* ne */
      12, /* i_ne */
      12, /* ncmp */
      12, /* i_ncmp */
      12, /* slt */
      12, /* sgt */
      12, /* sle */
      12, /* sge */
      12, /* seq */
      12, /* sne */
      12, /* scmp */
      97, /* bit_and */
      97, /* bit_xor */
      97, /* bit_or */
      95, /* nbit_and */
      95, /* nbit_xor */
      95, /* nbit_or */
      97, /* sbit_and */
      97, /* sbit_xor */
      97, /* sbit_or */
       0, /* negate */
       0, /* i_negate */
       0, /* not */
      97, /* complement */
      95, /* ncomplement */
      75, /* scomplement */
      12, /* smartmatch */
      93, /* atan2 */
      75, /* sin */
      75, /* cos */
      93, /* rand */
      93, /* srand */
      75, /* exp */
      75, /* log */
      75, /* sqrt */
      75, /* int */
      75, /* hex */
      75, /* oct */
      75, /* abs */
      98, /* length */
     101, /* substr */
     104, /* vec */
     106, /* index */
     106, /* rindex */
      52, /* sprintf */
      52, /* formline */
      75, /* ord */
      75, /* chr */
      93, /* crypt */
       0, /* ucfirst */
       0, /* lcfirst */
       0, /* uc */
       0, /* lc */
       0, /* quotemeta */
     110, /* rv2av */
     117, /* aelemfast */
     117, /* aelemfast_lex */
     118, /* aelem */
     123, /* aslice */
     126, /* kvaslice */
       0, /* aeach */
       0, /* avalues */
      40, /* akeys */
       0, /* each */
      40, /* values */
      40, /* keys */
     127, /* delete */
     131, /* exists */
     133, /* rv2hv */
     118, /* helem */
     123, /* hslice */
     126, /* kvhslice */
     141, /* multideref */
      52, /* unpack */
      52, /* pack */
     148, /* split */
      52, /* join */
     153, /* list */
      12, /* lslice */
      52, /* anonlist */
      52, /* anonhash */
      52, /* splice */
      93, /* push */
       0, /* pop */
       0, /* shift */
      93, /* unshift */
     155, /* sort */
     160, /* reverse */
       0, /* grepstart */
     162, /* grepwhile */
       0, /* mapstart */
       0, /* mapwhile */
       0, /* range */
     164, /* flip */
     164, /* flop */
       0, /* and */
       0, /* or */
      12, /* xor */
       0, /* dor */
     166, /* cond_expr */
       0, /* andassign */
       0, /* orassign */
       0, /* dorassign */
     168, /* entersub */
     175, /* leavesub */
     175, /* leavesublv */
       0, /* argcheck */
     177, /* argelem */
       0, /* argdefelem */
     179, /* caller */
      52, /* warn */
      52, /* die */
      52, /* reset */
      -1, /* lineseq */
     181, /* nextstate */
     181, /* dbstate */
      -1, /* unstack */
      -1, /* enter */
     182, /* leave */
      -1, /* scope */
     184, /* enteriter */
     188, /* iter */
      -1, /* enterloop */
     189, /* leaveloop */
      -1, /* return */
     191, /* last */
     191, /* next */
     191, /* redo */
     191, /* dump */
     191, /* goto */
      52, /* exit */
       0, /* method */
       0, /* method_named */
       0, /* method_super */
       0, /* method_redir */
       0, /* method_redir_super */
       0, /* entergiven */
       0, /* leavegiven */
       0, /* enterwhen */
       0, /* leavewhen */
      -1, /* break */
      -1, /* continue */
     193, /* open */
      52, /* close */
      52, /* pipe_op */
      52, /* fileno */
      52, /* umask */
      52, /* binmode */
      52, /* tie */
       0, /* untie */
       0, /* tied */
      52, /* dbmopen */
       0, /* dbmclose */
      52, /* sselect */
      52, /* select */
      52, /* getc */
      52, /* read */
      52, /* enterwrite */
     175, /* leavewrite */
      -1, /* prtf */
      -1, /* print */
      -1, /* say */
      52, /* sysopen */
      52, /* sysseek */
      52, /* sysread */
      52, /* syswrite */
      52, /* eof */
      52, /* tell */
      52, /* seek */
      52, /* truncate */
      52, /* fcntl */
      52, /* ioctl */
      93, /* flock */
      52, /* send */
      52, /* recv */
      52, /* socket */
      52, /* sockpair */
      52, /* bind */
      52, /* connect */
      52, /* listen */
      52, /* accept */
      52, /* shutdown */
      52, /* gsockopt */
      52, /* ssockopt */
       0, /* getsockname */
       0, /* getpeername */
       0, /* lstat */
       0, /* stat */
     198, /* ftrread */
     198, /* ftrwrite */
     198, /* ftrexec */
     198, /* fteread */
     198, /* ftewrite */
     198, /* fteexec */
     203, /* ftis */
     203, /* ftsize */
     203, /* ftmtime */
     203, /* ftatime */
     203, /* ftctime */
     203, /* ftrowned */
     203, /* fteowned */
     203, /* ftzero */
     203, /* ftsock */
     203, /* ftchr */
     203, /* ftblk */
     203, /* ftfile */
     203, /* ftdir */
     203, /* ftpipe */
     203, /* ftsuid */
     203, /* ftsgid */
     203, /* ftsvtx */
     203, /* ftlink */
     203, /* fttty */
     203, /* fttext */
     203, /* ftbinary */
      93, /* chdir */
      93, /* chown */
      75, /* chroot */
      93, /* unlink */
      93, /* chmod */
      93, /* utime */
      93, /* rename */
      93, /* link */
      93, /* symlink */
       0, /* readlink */
      93, /* mkdir */
      75, /* rmdir */
      52, /* open_dir */
       0, /* readdir */
       0, /* telldir */
      52, /* seekdir */
       0, /* rewinddir */
       0, /* closedir */
      -1, /* fork */
     207, /* wait */
      93, /* waitpid */
      93, /* system */
      93, /* exec */
      93, /* kill */
     207, /* getppid */
      93, /* getpgrp */
      93, /* setpgrp */
      93, /* getpriority */
      93, /* setpriority */
     207, /* time */
      -1, /* tms */
       0, /* localtime */
      52, /* gmtime */
       0, /* alarm */
      93, /* sleep */
      52, /* shmget */
      52, /* shmctl */
      52, /* shmread */
      52, /* shmwrite */
      52, /* msgget */
      52, /* msgctl */
      52, /* msgsnd */
      52, /* msgrcv */
      52, /* semop */
      52, /* semget */
      52, /* semctl */
       0, /* require */
       0, /* dofile */
      -1, /* hintseval */
     208, /* entereval */
     175, /* leaveeval */
       0, /* entertry */
      -1, /* leavetry */
       0, /* ghbyname */
      52, /* ghbyaddr */
      -1, /* ghostent */
       0, /* gnbyname */
      52, /* gnbyaddr */
      -1, /* gnetent */
       0, /* gpbyname */
      52, /* gpbynumber */
      -1, /* gprotoent */
      52, /* gsbyname */
      52, /* gsbyport */
      -1, /* gservent */
       0, /* shostent */
       0, /* snetent */
       0, /* sprotoent */
       0, /* sservent */
      -1, /* ehostent */
      -1, /* enetent */
      -1, /* eprotoent */
      -1, /* eservent */
       0, /* gpwnam */
       0, /* gpwuid */
      -1, /* gpwent */
      -1, /* spwent */
      -1, /* epwent */
       0, /* ggrnam */
       0, /* ggrgid */
      -1, /* ggrent */
      -1, /* sgrent */
      -1, /* egrent */
      -1, /* getlogin */
      52, /* syscall */
       0, /* lock */
       0, /* once */
      -1, /* custom */
     214, /* coreargs */
     218, /* avhvswitch */
       3, /* runcv */
       0, /* fc */
      -1, /* padcv */
      -1, /* introcv */
      -1, /* clonecv */
     220, /* padrange */
     222, /* refassign */
     228, /* lvref */
     234, /* lvrefslice */
     235, /* lvavref */
       0, /* anonconst */
      12, /* isa */
       0, /* cmpchain_and */
       0, /* cmpchain_dup */
       0, /* entertrycatch */
      -1, /* leavetrycatch */
      -1, /* poptry */
       0, /* catch */
     238, /* pushdefer */
      75, /* is_bool */
      75, /* is_weak */
       0, /* weaken */
       0, /* unweaken */
      49, /* blessed */
      75, /* refaddr */
      75, /* reftype */
      75, /* ceil */
      75, /* floor */

};



/* PL_op_private_bitdefs[]: given a starting position in this array (as
 * supplied by PL_op_private_bitdef_ix[]), each word (until a stop bit is
 * seen) defines the meaning of a particular op_private bit for a
 * particular op. Each word consists of:
 *  bit  0:     stop bit: this is the last bit def for the current op
 *  bit  1:     bitfield: if set, this defines a bit field rather than a flag
 *  bits 2..4:  unsigned number in the range 0..7 which is the bit number
 *  bits 5..15: unsigned number in the range 0..2047 which is an index
 *              into PL_op_private_labels[]    (for a flag), or
 *              into PL_op_private_bitfields[] (for a bit field)
 */

EXTCONST U16  PL_op_private_bitdefs[] = {
    0x0003, /* scalar, prototype, refgen, srefgen, readline, regcmaybe, regcreset, regcomp, substcont, chop, schop, defined, undef, study, preinc, i_preinc, predec, i_predec, postinc, i_postinc, postdec, i_postdec, negate, i_negate, not, ucfirst, lcfirst, uc, lc, quotemeta, aeach, avalues, each, pop, shift, grepstart, mapstart, mapwhile, range, and, or, dor, andassign, orassign, dorassign, argcheck, argdefelem, method, method_named, method_super, method_redir, method_redir_super, entergiven, leavegiven, enterwhen, leavewhen, untie, tied, dbmclose, getsockname, getpeername, lstat, stat, readlink, readdir, telldir, rewinddir, closedir, localtime, alarm, require, dofile, entertry, ghbyname, gnbyname, gpbyname, shostent, snetent, sprotoent, sservent, gpwnam, gpwuid, ggrnam, ggrgid, lock, once, fc, anonconst, cmpchain_and, cmpchain_dup, entertrycatch, catch, weaken, unweaken */
    0x30dc, 0x41d9, /* pushmark */
    0x00bd, /* wantarray, runcv */
    0x0438, 0x1a50, 0x428c, 0x3e28, 0x3605, /* const */
    0x30dc, 0x3759, /* gvsv */
    0x18b5, /* gv */
    0x0067, /* gelem, lt, i_lt, gt, i_gt, le, i_le, ge, i_ge, eq, i_eq, ne, i_ne, ncmp, i_ncmp, slt, sgt, sle, sge, seq, sne, scmp, smartmatch, lslice, xor, isa */
    0x30dc, 0x41d8, 0x03d7, /* padsv */
    0x30dc, 0x41d8, 0x05b4, 0x31cc, 0x3fa9, /* padav */
    0x30dc, 0x41d8, 0x05b4, 0x0650, 0x31cc, 0x3fa8, 0x2c41, /* padhv */
    0x30dc, 0x1c38, 0x03d6, 0x31cc, 0x3528, 0x4284, 0x0003, /* rv2gv */
    0x30dc, 0x3758, 0x03d6, 0x4284, 0x0003, /* rv2sv */
    0x31cc, 0x0003, /* av2arylen, akeys, values, keys */
    0x349c, 0x1078, 0x0dd4, 0x014c, 0x4588, 0x4284, 0x0003, /* rv2cv */
    0x05b4, 0x0650, 0x0003, /* ref, blessed */
    0x018f, /* bless, glob, sprintf, formline, unpack, pack, join, anonlist, anonhash, splice, warn, die, reset, exit, close, pipe_op, fileno, umask, binmode, tie, dbmopen, sselect, select, getc, read, enterwrite, sysopen, sysseek, sysread, syswrite, eof, tell, seek, truncate, fcntl, ioctl, send, recv, socket, sockpair, bind, connect, listen, accept, shutdown, gsockopt, ssockopt, open_dir, seekdir, gmtime, shmget, shmctl, shmread, shmwrite, msgget, msgctl, msgsnd, msgrcv, semop, semget, semctl, ghbyaddr, gnbyaddr, gpbynumber, gsbyname, gsbyport, syscall */
    0x393c, 0x3858, 0x2994, 0x28d0, 0x0003, /* backtick */
    0x05b5, /* subst */
    0x117c, 0x22b8, 0x09b4, 0x40ec, 0x2648, 0x4864, 0x07c1, /* trans, transr */
    0x0fbc, 0x04d8, 0x0067, /* sassign */
    0x0c78, 0x0b74, 0x0a70, 0x31cc, 0x05a8, 0x0067, /* aassign */
    0x4630, 0x0003, /* chomp, schomp, scomplement, sin, cos, exp, log, sqrt, int, hex, oct, abs, ord, chr, chroot, rmdir, is_bool, is_weak, refaddr, reftype, ceil, floor */
    0x05b4, 0x31cc, 0x0003, /* pos */
    0x4630, 0x0067, /* pow, multiply, i_multiply, divide, i_divide, modulo, i_modulo, add, i_add, subtract, i_subtract */
    0x1538, 0x0067, /* repeat */
    0x33b8, 0x4630, 0x0067, /* concat */
    0x30dc, 0x0218, 0x1c34, 0x4630, 0x436c, 0x0003, /* multiconcat */
    0x4630, 0x018f, /* stringify, atan2, rand, srand, crypt, push, unshift, flock, chdir, chown, unlink, chmod, utime, rename, link, symlink, mkdir, waitpid, system, exec, kill, getpgrp, setpgrp, getpriority, setpriority, sleep */
    0x4630, 0x4789, /* left_shift, right_shift, nbit_and, nbit_xor, nbit_or, ncomplement */
    0x4789, /* bit_and, bit_xor, bit_or, sbit_and, sbit_xor, sbit_or, complement */
    0x05b4, 0x4630, 0x0003, /* length */
    0x3b90, 0x31cc, 0x012b, /* substr */
    0x31cc, 0x0067, /* vec */
    0x3338, 0x05b4, 0x4630, 0x018f, /* index, rindex */
    0x30dc, 0x3758, 0x05b4, 0x31cc, 0x3fa8, 0x4284, 0x0003, /* rv2av */
    0x025f, /* aelemfast, aelemfast_lex */
    0x30dc, 0x2fd8, 0x03d6, 0x31cc, 0x0067, /* aelem, helem */
    0x30dc, 0x31cc, 0x3fa9, /* aslice, hslice */
    0x31cd, /* kvaslice, kvhslice */
    0x30dc, 0x3ef8, 0x2cf4, 0x0003, /* delete */
    0x44b8, 0x0003, /* exists */
    0x30dc, 0x3758, 0x05b4, 0x0650, 0x31cc, 0x3fa8, 0x4284, 0x2c41, /* rv2hv */
    0x30dc, 0x2fd8, 0x11f4, 0x1b50, 0x31cc, 0x4284, 0x0003, /* multideref */
    0x30dc, 0x3758, 0x02f0, 0x2dec, 0x2709, /* split */
    0x30dc, 0x2379, /* list */
    0x1490, 0x2a2c, 0x3c88, 0x2b24, 0x36c1, /* sort */
    0x2a2c, 0x0003, /* reverse */
    0x05b4, 0x0003, /* grepwhile */
    0x2e78, 0x0003, /* flip, flop */
    0x30dc, 0x0003, /* cond_expr */
    0x30dc, 0x1078, 0x03d6, 0x014c, 0x4588, 0x4284, 0x27e1, /* entersub */
    0x39f8, 0x0003, /* leavesub, leavesublv, leavewrite, leaveeval */
    0x02aa, 0x0003, /* argelem */
    0x00bc, 0x018f, /* caller */
    0x2555, /* nextstate, dbstate */
    0x2f7c, 0x39f9, /* leave */
    0x30dc, 0x3758, 0x10ec, 0x3d05, /* enteriter */
    0x3d05, /* iter */
    0x2f7c, 0x0067, /* leaveloop */
    0x499c, 0x0003, /* last, next, redo, dump, goto */
    0x393c, 0x3858, 0x2994, 0x28d0, 0x018f, /* open */
    0x1ef0, 0x214c, 0x2008, 0x1dc4, 0x0003, /* ftrread, ftrwrite, ftrexec, fteread, ftewrite, fteexec */
    0x1ef0, 0x214c, 0x2008, 0x0003, /* ftis, ftsize, ftmtime, ftatime, ftctime, ftrowned, fteowned, ftzero, ftsock, ftchr, ftblk, ftfile, ftdir, ftpipe, ftsuid, ftsgid, ftsvtx, ftlink, fttty, fttext, ftbinary */
    0x4631, /* wait, getppid, time */
    0x3a94, 0x0e90, 0x070c, 0x4708, 0x2464, 0x0003, /* entereval */
    0x329c, 0x0018, 0x13a4, 0x12c1, /* coreargs */
    0x31cc, 0x00c7, /* avhvswitch */
    0x30dc, 0x01fb, /* padrange */
    0x30dc, 0x41d8, 0x04f6, 0x2bac, 0x19a8, 0x0067, /* refassign */
    0x30dc, 0x41d8, 0x04f6, 0x2bac, 0x19a8, 0x0003, /* lvref */
    0x30dd, /* lvrefslice */
    0x30dc, 0x41d8, 0x0003, /* lvavref */
    0x1cdc, 0x0003, /* pushdefer */

};


/* PL_op_private_valid: for each op, indexed by op_type, indicate which
 * flags bits in op_private are legal */

EXTCONST U8 PL_op_private_valid[] = {
    /* NULL       */ (0xff),
    /* STUB       */ (0),
    /* SCALAR     */ (OPpARG1_MASK),
    /* PUSHMARK   */ (OPpPAD_STATE|OPpLVAL_INTRO),
    /* WANTARRAY  */ (OPpOFFBYONE),
    /* CONST      */ (OPpCONST_NOVER|OPpCONST_SHORTCIRCUIT|OPpCONST_STRICT|OPpCONST_ENTERED|OPpCONST_BARE),
    /* GVSV       */ (OPpOUR_INTRO|OPpLVAL_INTRO),
    /* GV         */ (OPpEARLY_CV),
    /* GELEM      */ (OPpARG2_MASK),
    /* PADSV      */ (OPpDEREF|OPpPAD_STATE|OPpLVAL_INTRO),
    /* PADAV      */ (OPpSLICEWARNING|OPpMAYBE_LVSUB|OPpTRUEBOOL|OPpPAD_STATE|OPpLVAL_INTRO),
    /* PADHV      */ (OPpPADHV_ISKEYS|OPpSLICEWARNING|OPpMAYBE_LVSUB|OPpMAYBE_TRUEBOOL|OPpTRUEBOOL|OPpPAD_STATE|OPpLVAL_INTRO),
    /* PADANY     */ (0),
    /* RV2GV      */ (OPpARG1_MASK|OPpHINT_STRICT_REFS|OPpDONT_INIT_GV|OPpMAYBE_LVSUB|OPpDEREF|OPpALLOW_FAKE|OPpLVAL_INTRO),
    /* RV2SV      */ (OPpARG1_MASK|OPpHINT_STRICT_REFS|OPpDEREF|OPpOUR_INTRO|OPpLVAL_INTRO),
    /* AV2ARYLEN  */ (OPpARG1_MASK|OPpMAYBE_LVSUB),
    /* RV2CV      */ (OPpARG1_MASK|OPpHINT_STRICT_REFS|OPpENTERSUB_HASTARG|OPpENTERSUB_AMPER|OPpMAY_RETURN_CONSTANT|OPpENTERSUB_DB|OPpENTERSUB_NOPAREN),
    /* ANONCODE   */ (0),
    /* PROTOTYPE  */ (OPpARG1_MASK),
    /* REFGEN     */ (OPpARG1_MASK),
    /* SREFGEN    */ (OPpARG1_MASK),
    /* REF        */ (OPpARG1_MASK|OPpMAYBE_TRUEBOOL|OPpTRUEBOOL),
    /* BLESS      */ (OPpARG4_MASK),
    /* BACKTICK   */ (OPpARG1_MASK|OPpOPEN_IN_RAW|OPpOPEN_IN_CRLF|OPpOPEN_OUT_RAW|OPpOPEN_OUT_CRLF),
    /* GLOB       */ (OPpARG4_MASK),
    /* READLINE   */ (OPpARG1_MASK),
    /* RCATLINE   */ (0),
    /* REGCMAYBE  */ (OPpARG1_MASK),
    /* REGCRESET  */ (OPpARG1_MASK),
    /* REGCOMP    */ (OPpARG1_MASK),
    /* MATCH      */ (0),
    /* QR         */ (0),
    /* SUBST      */ (OPpTRUEBOOL),
    /* SUBSTCONT  */ (OPpARG1_MASK),
    /* TRANS      */ (OPpTRANS_CAN_FORCE_UTF8|OPpTRANS_USE_SVOP|OPpTRANS_IDENTICAL|OPpTRANS_SQUASH|OPpTRANS_COMPLEMENT|OPpTRANS_GROWS|OPpTRANS_DELETE),
    /* TRANSR     */ (OPpTRANS_CAN_FORCE_UTF8|OPpTRANS_USE_SVOP|OPpTRANS_IDENTICAL|OPpTRANS_SQUASH|OPpTRANS_COMPLEMENT|OPpTRANS_GROWS|OPpTRANS_DELETE),
    /* SASSIGN    */ (OPpARG2_MASK|OPpASSIGN_BACKWARDS|OPpASSIGN_CV_TO_GV),
    /* AASSIGN    */ (OPpARG2_MASK|OPpASSIGN_TRUEBOOL|OPpMAYBE_LVSUB|OPpASSIGN_COMMON_AGG|OPpASSIGN_COMMON_RC1|OPpASSIGN_COMMON_SCALAR),
    /* CHOP       */ (OPpARG1_MASK),
    /* SCHOP      */ (OPpARG1_MASK),
    /* CHOMP      */ (OPpARG1_MASK|OPpTARGET_MY),
    /* SCHOMP     */ (OPpARG1_MASK|OPpTARGET_MY),
    /* DEFINED    */ (OPpARG1_MASK),
    /* UNDEF      */ (OPpARG1_MASK),
    /* STUDY      */ (OPpARG1_MASK),
    /* POS        */ (OPpARG1_MASK|OPpMAYBE_LVSUB|OPpTRUEBOOL),
    /* PREINC     */ (OPpARG1_MASK),
    /* I_PREINC   */ (OPpARG1_MASK),
    /* PREDEC     */ (OPpARG1_MASK),
    /* I_PREDEC   */ (OPpARG1_MASK),
    /* POSTINC    */ (OPpARG1_MASK),
    /* I_POSTINC  */ (OPpARG1_MASK),
    /* POSTDEC    */ (OPpARG1_MASK),
    /* I_POSTDEC  */ (OPpARG1_MASK),
    /* POW        */ (OPpARG2_MASK|OPpTARGET_MY),
    /* MULTIPLY   */ (OPpARG2_MASK|OPpTARGET_MY),
    /* I_MULTIPLY */ (OPpARG2_MASK|OPpTARGET_MY),
    /* DIVIDE     */ (OPpARG2_MASK|OPpTARGET_MY),
    /* I_DIVIDE   */ (OPpARG2_MASK|OPpTARGET_MY),
    /* MODULO     */ (OPpARG2_MASK|OPpTARGET_MY),
    /* I_MODULO   */ (OPpARG2_MASK|OPpTARGET_MY),
    /* REPEAT     */ (OPpARG2_MASK|OPpREPEAT_DOLIST),
    /* ADD        */ (OPpARG2_MASK|OPpTARGET_MY),
    /* I_ADD      */ (OPpARG2_MASK|OPpTARGET_MY),
    /* SUBTRACT   */ (OPpARG2_MASK|OPpTARGET_MY),
    /* I_SUBTRACT */ (OPpARG2_MASK|OPpTARGET_MY),
    /* CONCAT     */ (OPpARG2_MASK|OPpTARGET_MY|OPpCONCAT_NESTED),
    /* MULTICONCAT */ (OPpARG1_MASK|OPpMULTICONCAT_STRINGIFY|OPpTARGET_MY|OPpMULTICONCAT_FAKE|OPpMULTICONCAT_APPEND|OPpLVAL_INTRO),
    /* STRINGIFY  */ (OPpARG4_MASK|OPpTARGET_MY),
    /* LEFT_SHIFT */ (OPpUSEINT|OPpTARGET_MY),
    /* RIGHT_SHIFT */ (OPpUSEINT|OPpTARGET_MY),
    /* LT         */ (OPpARG2_MASK),
    /* I_LT       */ (OPpARG2_MASK),
    /* GT         */ (OPpARG2_MASK),
    /* I_GT       */ (OPpARG2_MASK),
    /* LE         */ (OPpARG2_MASK),
    /* I_LE       */ (OPpARG2_MASK),
    /* GE         */ (OPpARG2_MASK),
    /* I_GE       */ (OPpARG2_MASK),
    /* EQ         */ (OPpARG2_MASK),
    /* I_EQ       */ (OPpARG2_MASK),
    /* NE         */ (OPpARG2_MASK),
    /* I_NE       */ (OPpARG2_MASK),
    /* NCMP       */ (OPpARG2_MASK),
    /* I_NCMP     */ (OPpARG2_MASK),
    /* SLT        */ (OPpARG2_MASK),
    /* SGT        */ (OPpARG2_MASK),
    /* SLE        */ (OPpARG2_MASK),
    /* SGE        */ (OPpARG2_MASK),
    /* SEQ        */ (OPpARG2_MASK),
    /* SNE        */ (OPpARG2_MASK),
    /* SCMP       */ (OPpARG2_MASK),
    /* BIT_AND    */ (OPpUSEINT),
    /* BIT_XOR    */ (OPpUSEINT),
    /* BIT_OR     */ (OPpUSEINT),
    /* NBIT_AND   */ (OPpUSEINT|OPpTARGET_MY),
    /* NBIT_XOR   */ (OPpUSEINT|OPpTARGET_MY),
    /* NBIT_OR    */ (OPpUSEINT|OPpTARGET_MY),
    /* SBIT_AND   */ (OPpUSEINT),
    /* SBIT_XOR   */ (OPpUSEINT),
    /* SBIT_OR    */ (OPpUSEINT),
    /* NEGATE     */ (OPpARG1_MASK),
    /* I_NEGATE   */ (OPpARG1_MASK),
    /* NOT        */ (OPpARG1_MASK),
    /* COMPLEMENT */ (OPpUSEINT),
    /* NCOMPLEMENT */ (OPpUSEINT|OPpTARGET_MY),
    /* SCOMPLEMENT */ (OPpARG1_MASK|OPpTARGET_MY),
    /* SMARTMATCH */ (OPpARG2_MASK),
    /* ATAN2      */ (OPpARG4_MASK|OPpTARGET_MY),
    /* SIN        */ (OPpARG1_MASK|OPpTARGET_MY),
    /* COS        */ (OPpARG1_MASK|OPpTARGET_MY),
    /* RAND       */ (OPpARG4_MASK|OPpTARGET_MY),
    /* SRAND      */ (OPpARG4_MASK|OPpTARGET_MY),
    /* EXP        */ (OPpARG1_MASK|OPpTARGET_MY),
    /* LOG        */ (OPpARG1_MASK|OPpTARGET_MY),
    /* SQRT       */ (OPpARG1_MASK|OPpTARGET_MY),
    /* INT        */ (OPpARG1_MASK|OPpTARGET_MY),
    /* HEX        */ (OPpARG1_MASK|OPpTARGET_MY),
    /* OCT        */ (OPpARG1_MASK|OPpTARGET_MY),
    /* ABS        */ (OPpARG1_MASK|OPpTARGET_MY),
    /* LENGTH     */ (OPpARG1_MASK|OPpTARGET_MY|OPpTRUEBOOL),
    /* SUBSTR     */ (OPpARG3_MASK|OPpMAYBE_LVSUB|OPpSUBSTR_REPL_FIRST),
    /* VEC        */ (OPpARG2_MASK|OPpMAYBE_LVSUB),
    /* INDEX      */ (OPpARG4_MASK|OPpTARGET_MY|OPpTRUEBOOL|OPpINDEX_BOOLNEG),
    /* RINDEX     */ (OPpARG4_MASK|OPpTARGET_MY|OPpTRUEBOOL|OPpINDEX_BOOLNEG),
    /* SPRINTF    */ (OPpARG4_MASK),
    /* FORMLINE   */ (OPpARG4_MASK),
    /* ORD        */ (OPpARG1_MASK|OPpTARGET_MY),
    /* CHR        */ (OPpARG1_MASK|OPpTARGET_MY),
    /* CRYPT      */ (OPpARG4_MASK|OPpTARGET_MY),
    /* UCFIRST    */ (OPpARG1_MASK),
    /* LCFIRST    */ (OPpARG1_MASK),
    /* UC         */ (OPpARG1_MASK),
    /* LC         */ (OPpARG1_MASK),
    /* QUOTEMETA  */ (OPpARG1_MASK),
    /* RV2AV      */ (OPpARG1_MASK|OPpHINT_STRICT_REFS|OPpSLICEWARNING|OPpMAYBE_LVSUB|OPpTRUEBOOL|OPpOUR_INTRO|OPpLVAL_INTRO),
    /* AELEMFAST  */ (255),
    /* AELEMFAST_LEX */ (255),
    /* AELEM      */ (OPpARG2_MASK|OPpMAYBE_LVSUB|OPpDEREF|OPpLVAL_DEFER|OPpLVAL_INTRO),
    /* ASLICE     */ (OPpSLICEWARNING|OPpMAYBE_LVSUB|OPpLVAL_INTRO),
    /* KVASLICE   */ (OPpMAYBE_LVSUB),
    /* AEACH      */ (OPpARG1_MASK),
    /* AVALUES    */ (OPpARG1_MASK),
    /* AKEYS      */ (OPpARG1_MASK|OPpMAYBE_LVSUB),
    /* EACH       */ (OPpARG1_MASK),
    /* VALUES     */ (OPpARG1_MASK|OPpMAYBE_LVSUB),
    /* KEYS       */ (OPpARG1_MASK|OPpMAYBE_LVSUB),
    /* DELETE     */ (OPpARG1_MASK|OPpKVSLICE|OPpSLICE|OPpLVAL_INTRO),
    /* EXISTS     */ (OPpARG1_MASK|OPpEXISTS_SUB),
    /* RV2HV      */ (OPpRV2HV_ISKEYS|OPpHINT_STRICT_REFS|OPpSLICEWARNING|OPpMAYBE_LVSUB|OPpMAYBE_TRUEBOOL|OPpTRUEBOOL|OPpOUR_INTRO|OPpLVAL_INTRO),
    /* HELEM      */ (OPpARG2_MASK|OPpMAYBE_LVSUB|OPpDEREF|OPpLVAL_DEFER|OPpLVAL_INTRO),
    /* HSLICE     */ (OPpSLICEWARNING|OPpMAYBE_LVSUB|OPpLVAL_INTRO),
    /* KVHSLICE   */ (OPpMAYBE_LVSUB),
    /* MULTIDEREF */ (OPpARG1_MASK|OPpHINT_STRICT_REFS|OPpMAYBE_LVSUB|OPpMULTIDEREF_EXISTS|OPpMULTIDEREF_DELETE|OPpLVAL_DEFER|OPpLVAL_INTRO),
    /* UNPACK     */ (OPpARG4_MASK),
    /* PACK       */ (OPpARG4_MASK),
    /* SPLIT      */ (OPpSPLIT_IMPLIM|OPpSPLIT_LEX|OPpSPLIT_ASSIGN|OPpOUR_INTRO|OPpLVAL_INTRO),
    /* JOIN       */ (OPpARG4_MASK),
    /* LIST       */ (OPpLIST_GUESSED|OPpLVAL_INTRO),
    /* LSLICE     */ (OPpARG2_MASK),
    /* ANONLIST   */ (OPpARG4_MASK),
    /* ANONHASH   */ (OPpARG4_MASK),
    /* SPLICE     */ (OPpARG4_MASK),
    /* PUSH       */ (OPpARG4_MASK|OPpTARGET_MY),
    /* POP        */ (OPpARG1_MASK),
    /* SHIFT      */ (OPpARG1_MASK),
    /* UNSHIFT    */ (OPpARG4_MASK|OPpTARGET_MY),
    /* SORT       */ (OPpSORT_NUMERIC|OPpSORT_INTEGER|OPpSORT_REVERSE|OPpSORT_INPLACE|OPpSORT_DESCEND),
    /* REVERSE    */ (OPpARG1_MASK|OPpREVERSE_INPLACE),
    /* GREPSTART  */ (OPpARG1_MASK),
    /* GREPWHILE  */ (OPpARG1_MASK|OPpTRUEBOOL),
    /* MAPSTART   */ (OPpARG1_MASK),
    /* MAPWHILE   */ (OPpARG1_MASK),
    /* RANGE      */ (OPpARG1_MASK),
    /* FLIP       */ (OPpARG1_MASK|OPpFLIP_LINENUM),
    /* FLOP       */ (OPpARG1_MASK|OPpFLIP_LINENUM),
    /* AND        */ (OPpARG1_MASK),
    /* OR         */ (OPpARG1_MASK),
    /* XOR        */ (OPpARG2_MASK),
    /* DOR        */ (OPpARG1_MASK),
    /* COND_EXPR  */ (OPpARG1_MASK|OPpLVAL_INTRO),
    /* ANDASSIGN  */ (OPpARG1_MASK),
    /* ORASSIGN   */ (OPpARG1_MASK),
    /* DORASSIGN  */ (OPpARG1_MASK),
    /* ENTERSUB   */ (OPpENTERSUB_INARGS|OPpHINT_STRICT_REFS|OPpENTERSUB_HASTARG|OPpENTERSUB_AMPER|OPpDEREF|OPpENTERSUB_DB|OPpLVAL_INTRO),
    /* LEAVESUB   */ (OPpARG1_MASK|OPpREFCOUNTED),
    /* LEAVESUBLV */ (OPpARG1_MASK|OPpREFCOUNTED),
    /* ARGCHECK   */ (OPpARG1_MASK),
    /* ARGELEM    */ (OPpARG1_MASK|OPpARGELEM_MASK),
    /* ARGDEFELEM */ (OPpARG1_MASK),
    /* CALLER     */ (OPpARG4_MASK|OPpOFFBYONE),
    /* WARN       */ (OPpARG4_MASK),
    /* DIE        */ (OPpARG4_MASK),
    /* RESET      */ (OPpARG4_MASK),
    /* LINESEQ    */ (0),
    /* NEXTSTATE  */ (OPpHUSH_VMSISH),
    /* DBSTATE    */ (OPpHUSH_VMSISH),
    /* UNSTACK    */ (0),
    /* ENTER      */ (0),
    /* LEAVE      */ (OPpREFCOUNTED|OPpLVALUE),
    /* SCOPE      */ (0),
    /* ENTERITER  */ (OPpITER_REVERSED|OPpITER_DEF|OPpOUR_INTRO|OPpLVAL_INTRO),
    /* ITER       */ (OPpITER_REVERSED),
    /* ENTERLOOP  */ (0),
    /* LEAVELOOP  */ (OPpARG2_MASK|OPpLVALUE),
    /* RETURN     */ (0),
    /* LAST       */ (OPpARG1_MASK|OPpPV_IS_UTF8),
    /* NEXT       */ (OPpARG1_MASK|OPpPV_IS_UTF8),
    /* REDO       */ (OPpARG1_MASK|OPpPV_IS_UTF8),
    /* DUMP       */ (OPpARG1_MASK|OPpPV_IS_UTF8),
    /* GOTO       */ (OPpARG1_MASK|OPpPV_IS_UTF8),
    /* EXIT       */ (OPpARG4_MASK),
    /* METHOD     */ (OPpARG1_MASK),
    /* METHOD_NAMED */ (OPpARG1_MASK),
    /* METHOD_SUPER */ (OPpARG1_MASK),
    /* METHOD_REDIR */ (OPpARG1_MASK),
    /* METHOD_REDIR_SUPER */ (OPpARG1_MASK),
    /* ENTERGIVEN */ (OPpARG1_MASK),
    /* LEAVEGIVEN */ (OPpARG1_MASK),
    /* ENTERWHEN  */ (OPpARG1_MASK),
    /* LEAVEWHEN  */ (OPpARG1_MASK),
    /* BREAK      */ (0),
    /* CONTINUE   */ (0),
    /* OPEN       */ (OPpARG4_MASK|OPpOPEN_IN_RAW|OPpOPEN_IN_CRLF|OPpOPEN_OUT_RAW|OPpOPEN_OUT_CRLF),
    /* CLOSE      */ (OPpARG4_MASK),
    /* PIPE_OP    */ (OPpARG4_MASK),
    /* FILENO     */ (OPpARG4_MASK),
    /* UMASK      */ (OPpARG4_MASK),
    /* BINMODE    */ (OPpARG4_MASK),
    /* TIE        */ (OPpARG4_MASK),
    /* UNTIE      */ (OPpARG1_MASK),
    /* TIED       */ (OPpARG1_MASK),
    /* DBMOPEN    */ (OPpARG4_MASK),
    /* DBMCLOSE   */ (OPpARG1_MASK),
    /* SSELECT    */ (OPpARG4_MASK),
    /* SELECT     */ (OPpARG4_MASK),
    /* GETC       */ (OPpARG4_MASK),
    /* READ       */ (OPpARG4_MASK),
    /* ENTERWRITE */ (OPpARG4_MASK),
    /* LEAVEWRITE */ (OPpARG1_MASK|OPpREFCOUNTED),
    /* PRTF       */ (0),
    /* PRINT      */ (0),
    /* SAY        */ (0),
    /* SYSOPEN    */ (OPpARG4_MASK),
    /* SYSSEEK    */ (OPpARG4_MASK),
    /* SYSREAD    */ (OPpARG4_MASK),
    /* SYSWRITE   */ (OPpARG4_MASK),
    /* EOF        */ (OPpARG4_MASK),
    /* TELL       */ (OPpARG4_MASK),
    /* SEEK       */ (OPpARG4_MASK),
    /* TRUNCATE   */ (OPpARG4_MASK),
    /* FCNTL      */ (OPpARG4_MASK),
    /* IOCTL      */ (OPpARG4_MASK),
    /* FLOCK      */ (OPpARG4_MASK|OPpTARGET_MY),
    /* SEND       */ (OPpARG4_MASK),
    /* RECV       */ (OPpARG4_MASK),
    /* SOCKET     */ (OPpARG4_MASK),
    /* SOCKPAIR   */ (OPpARG4_MASK),
    /* BIND       */ (OPpARG4_MASK),
    /* CONNECT    */ (OPpARG4_MASK),
    /* LISTEN     */ (OPpARG4_MASK),
    /* ACCEPT     */ (OPpARG4_MASK),
    /* SHUTDOWN   */ (OPpARG4_MASK),
    /* GSOCKOPT   */ (OPpARG4_MASK),
    /* SSOCKOPT   */ (OPpARG4_MASK),
    /* GETSOCKNAME */ (OPpARG1_MASK),
    /* GETPEERNAME */ (OPpARG1_MASK),
    /* LSTAT      */ (OPpARG1_MASK),
    /* STAT       */ (OPpARG1_MASK),
    /* FTRREAD    */ (OPpARG1_MASK|OPpFT_ACCESS|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTRWRITE   */ (OPpARG1_MASK|OPpFT_ACCESS|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTREXEC    */ (OPpARG1_MASK|OPpFT_ACCESS|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTEREAD    */ (OPpARG1_MASK|OPpFT_ACCESS|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTEWRITE   */ (OPpARG1_MASK|OPpFT_ACCESS|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTEEXEC    */ (OPpARG1_MASK|OPpFT_ACCESS|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTIS       */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTSIZE     */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTMTIME    */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTATIME    */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTCTIME    */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTROWNED   */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTEOWNED   */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTZERO     */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTSOCK     */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTCHR      */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTBLK      */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTFILE     */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTDIR      */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTPIPE     */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTSUID     */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTSGID     */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTSVTX     */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTLINK     */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTTTY      */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTTEXT     */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* FTBINARY   */ (OPpARG1_MASK|OPpFT_STACKED|OPpFT_STACKING|OPpFT_AFTER_t),
    /* CHDIR      */ (OPpARG4_MASK|OPpTARGET_MY),
    /* CHOWN      */ (OPpARG4_MASK|OPpTARGET_MY),
    /* CHROOT     */ (OPpARG1_MASK|OPpTARGET_MY),
    /* UNLINK     */ (OPpARG4_MASK|OPpTARGET_MY),
    /* CHMOD      */ (OPpARG4_MASK|OPpTARGET_MY),
    /* UTIME      */ (OPpARG4_MASK|OPpTARGET_MY),
    /* RENAME     */ (OPpARG4_MASK|OPpTARGET_MY),
    /* LINK       */ (OPpARG4_MASK|OPpTARGET_MY),
    /* SYMLINK    */ (OPpARG4_MASK|OPpTARGET_MY),
    /* READLINK   */ (OPpARG1_MASK),
    /* MKDIR      */ (OPpARG4_MASK|OPpTARGET_MY),
    /* RMDIR      */ (OPpARG1_MASK|OPpTARGET_MY),
    /* OPEN_DIR   */ (OPpARG4_MASK),
    /* READDIR    */ (OPpARG1_MASK),
    /* TELLDIR    */ (OPpARG1_MASK),
    /* SEEKDIR    */ (OPpARG4_MASK),
    /* REWINDDIR  */ (OPpARG1_MASK),
    /* CLOSEDIR   */ (OPpARG1_MASK),
    /* FORK       */ (0),
    /* WAIT       */ (OPpTARGET_MY),
    /* WAITPID    */ (OPpARG4_MASK|OPpTARGET_MY),
    /* SYSTEM     */ (OPpARG4_MASK|OPpTARGET_MY),
    /* EXEC       */ (OPpARG4_MASK|OPpTARGET_MY),
    /* KILL       */ (OPpARG4_MASK|OPpTARGET_MY),
    /* GETPPID    */ (OPpTARGET_MY),
    /* GETPGRP    */ (OPpARG4_MASK|OPpTARGET_MY),
    /* SETPGRP    */ (OPpARG4_MASK|OPpTARGET_MY),
    /* GETPRIORITY */ (OPpARG4_MASK|OPpTARGET_MY),
    /* SETPRIORITY */ (OPpARG4_MASK|OPpTARGET_MY),
    /* TIME       */ (OPpTARGET_MY),
    /* TMS        */ (0),
    /* LOCALTIME  */ (OPpARG1_MASK),
    /* GMTIME     */ (OPpARG4_MASK),
    /* ALARM      */ (OPpARG1_MASK),
    /* SLEEP      */ (OPpARG4_MASK|OPpTARGET_MY),
    /* SHMGET     */ (OPpARG4_MASK),
    /* SHMCTL     */ (OPpARG4_MASK),
    /* SHMREAD    */ (OPpARG4_MASK),
    /* SHMWRITE   */ (OPpARG4_MASK),
    /* MSGGET     */ (OPpARG4_MASK),
    /* MSGCTL     */ (OPpARG4_MASK),
    /* MSGSND     */ (OPpARG4_MASK),
    /* MSGRCV     */ (OPpARG4_MASK),
    /* SEMOP      */ (OPpARG4_MASK),
    /* SEMGET     */ (OPpARG4_MASK),
    /* SEMCTL     */ (OPpARG4_MASK),
    /* REQUIRE    */ (OPpARG1_MASK),
    /* DOFILE     */ (OPpARG1_MASK),
    /* HINTSEVAL  */ (0),
    /* ENTEREVAL  */ (OPpARG1_MASK|OPpEVAL_HAS_HH|OPpEVAL_UNICODE|OPpEVAL_BYTES|OPpEVAL_COPHH|OPpEVAL_RE_REPARSING),
    /* LEAVEEVAL  */ (OPpARG1_MASK|OPpREFCOUNTED),
    /* ENTERTRY   */ (OPpARG1_MASK),
    /* LEAVETRY   */ (0),
    /* GHBYNAME   */ (OPpARG1_MASK),
    /* GHBYADDR   */ (OPpARG4_MASK),
    /* GHOSTENT   */ (0),
    /* GNBYNAME   */ (OPpARG1_MASK),
    /* GNBYADDR   */ (OPpARG4_MASK),
    /* GNETENT    */ (0),
    /* GPBYNAME   */ (OPpARG1_MASK),
    /* GPBYNUMBER */ (OPpARG4_MASK),
    /* GPROTOENT  */ (0),
    /* GSBYNAME   */ (OPpARG4_MASK),
    /* GSBYPORT   */ (OPpARG4_MASK),
    /* GSERVENT   */ (0),
    /* SHOSTENT   */ (OPpARG1_MASK),
    /* SNETENT    */ (OPpARG1_MASK),
    /* SPROTOENT  */ (OPpARG1_MASK),
    /* SSERVENT   */ (OPpARG1_MASK),
    /* EHOSTENT   */ (0),
    /* ENETENT    */ (0),
    /* EPROTOENT  */ (0),
    /* ESERVENT   */ (0),
    /* GPWNAM     */ (OPpARG1_MASK),
    /* GPWUID     */ (OPpARG1_MASK),
    /* GPWENT     */ (0),
    /* SPWENT     */ (0),
    /* EPWENT     */ (0),
    /* GGRNAM     */ (OPpARG1_MASK),
    /* GGRGID     */ (OPpARG1_MASK),
    /* GGRENT     */ (0),
    /* SGRENT     */ (0),
    /* EGRENT     */ (0),
    /* GETLOGIN   */ (0),
    /* SYSCALL    */ (OPpARG4_MASK),
    /* LOCK       */ (OPpARG1_MASK),
    /* ONCE       */ (OPpARG1_MASK),
    /* CUSTOM     */ (0xff),
    /* COREARGS   */ (OPpCOREARGS_DEREF1|OPpCOREARGS_DEREF2|OPpCOREARGS_SCALARMOD|OPpCOREARGS_PUSHMARK),
    /* AVHVSWITCH */ (OPpAVHVSWITCH_MASK|OPpMAYBE_LVSUB),
    /* RUNCV      */ (OPpOFFBYONE),
    /* FC         */ (OPpARG1_MASK),
    /* PADCV      */ (0),
    /* INTROCV    */ (0),
    /* CLONECV    */ (0),
    /* PADRANGE   */ (OPpPADRANGE_COUNTMASK|OPpLVAL_INTRO),
    /* REFASSIGN  */ (OPpARG2_MASK|OPpLVREF_ELEM|OPpLVREF_ITER|OPpLVREF_TYPE|OPpPAD_STATE|OPpLVAL_INTRO),
    /* LVREF      */ (OPpARG1_MASK|OPpLVREF_ELEM|OPpLVREF_ITER|OPpLVREF_TYPE|OPpPAD_STATE|OPpLVAL_INTRO),
    /* LVREFSLICE */ (OPpLVAL_INTRO),
    /* LVAVREF    */ (OPpARG1_MASK|OPpPAD_STATE|OPpLVAL_INTRO),
    /* ANONCONST  */ (OPpARG1_MASK),
    /* ISA        */ (OPpARG2_MASK),
    /* CMPCHAIN_AND */ (OPpARG1_MASK),
    /* CMPCHAIN_DUP */ (OPpARG1_MASK),
    /* ENTERTRYCATCH */ (OPpARG1_MASK),
    /* LEAVETRYCATCH */ (0),
    /* POPTRY     */ (0),
    /* CATCH      */ (OPpARG1_MASK),
    /* PUSHDEFER  */ (OPpARG1_MASK|OPpDEFER_FINALLY),
    /* IS_BOOL    */ (OPpARG1_MASK|OPpTARGET_MY),
    /* IS_WEAK    */ (OPpARG1_MASK|OPpTARGET_MY),
    /* WEAKEN     */ (OPpARG1_MASK),
    /* UNWEAKEN   */ (OPpARG1_MASK),
    /* BLESSED    */ (OPpARG1_MASK|OPpMAYBE_TRUEBOOL|OPpTRUEBOOL),
    /* REFADDR    */ (OPpARG1_MASK|OPpTARGET_MY),
    /* REFTYPE    */ (OPpARG1_MASK|OPpTARGET_MY),
    /* CEIL       */ (OPpARG1_MASK|OPpTARGET_MY),
    /* FLOOR      */ (OPpARG1_MASK|OPpTARGET_MY),

};

#endif /* !DOINIT */

END_EXTERN_C



/* ex: set ro: */
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             Package: udev
Status: install ok unpacked
Priority: important
Section: admin
Installed-Size: 10788
Maintainer: Debian systemd Maintainers <pkg-systemd-maintainers@lists.alioth.debian.org>
Architecture: amd64
Multi-Arch: foreign
Source: systemd
Version: 252.36-1~deb12u1
Depends: libacl1 (>= 2.2.23), libblkid1 (>= 2.37.2), libc6 (>= 2.34), libcap2 (>= 1:2.10), libkmod2 (>= 15), libselinux1 (>= 3.1~), adduser, libudev1 (= 252.36-1~deb12u1)
Conffiles:
 /etc/init.d/udev newconffile
 /etc/udev/udev.conf newconffile
Description: /dev/ and hotplug management daemon
 udev is a daemon which dynamically creates and removes device nodes from
 /dev/, handles hotplug events and loads drivers at boot time.
Homepage: https://www.freedesktop.org/wiki/Software/systemd
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       Package: udev
Status: install ok unpacked
Priority: important
Section: admin
Installed-Size: 10788
Maintainer: Debian systemd Maintainers <pkg-systemd-maintainers@lists.alioth.debian.org>
Architecture: amd64
Multi-Arch: foreign
Source: systemd
Version: 252.36-1~deb12u1
Depends: libacl1 (>= 2.2.23), libblkid1 (>= 2.37.2), libc6 (>= 2.34), libcap2 (>= 1:2.10), libkmod2 (>= 15), libselinux1 (>= 3.1~), adduser, libudev1 (= 252.36-1~deb12u1)
Conffiles:
 /etc/init.d/udev e9424814d107af7d8f58a22b1011810a
 /etc/udev/udev.conf newconffile
Description: /dev/ and hotplug management daemon
 udev is a daemon which dynamically creates and removes device nodes from
 /dev/, handles hotplug events and loads drivers at boot time.
Homepage: https://www.freedesktop.org/wiki/Software/systemd
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  Package: udev
Status: install ok unpacked
Priority: important
Section: admin
Installed-Size: 10788
Maintainer: Debian systemd Maintainers <pkg-systemd-maintainers@lists.alioth.debian.org>
Architecture: amd64
Multi-Arch: foreign
Source: systemd
Version: 252.36-1~deb12u1
Depends: libacl1 (>= 2.2.23), libblkid1 (>= 2.37.2), libc6 (>= 2.34), libcap2 (>= 1:2.10), libkmod2 (>= 15), libselinux1 (>= 3.1~), adduser, libudev1 (= 252.36-1~deb12u1)
Conffiles:
 /etc/init.d/udev e9424814d107af7d8f58a22b1011810a
 /etc/udev/udev.conf bf60be80a4cc51271a1618edf5a6d66f
Description: /dev/ and hotplug management daemon
 udev is a daemon which dynamically creates and removes device nodes from
 /dev/, handles hotplug events and loads drivers at boot time.
Homepage: https://www.freedesktop.org/wiki/Software/systemd
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             Package: udev
Status: install ok half-configured
Priority: important
Section: admin
Installed-Size: 10788
Maintainer: Debian systemd Maintainers <pkg-systemd-maintainers@lists.alioth.debian.org>
Architecture: amd64
Multi-Arch: foreign
Source: systemd
Version: 252.36-1~deb12u1
Depends: libacl1 (>= 2.2.23), libblkid1 (>= 2.37.2), libc6 (>= 2.34), libcap2 (>= 1:2.10), libkmod2 (>= 15), libselinux1 (>= 3.1~), adduser, libudev1 (= 252.36-1~deb12u1)
Conffiles:
 /etc/init.d/udev e9424814d107af7d8f58a22b1011810a
 /etc/udev/udev.conf bf60be80a4cc51271a1618edf5a6d66f
Description: /dev/ and hotplug management daemon
 udev is a daemon which dynamically creates and removes device nodes from
 /dev/, handles hotplug events and loads drivers at boot time.
Homepage: https://www.freedesktop.org/wiki/Software/systemd
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      Package: udev
Status: install ok installed
Priority: important
Section: admin
Installed-Size: 10788
Maintainer: Debian systemd Maintainers <pkg-systemd-maintainers@lists.alioth.debian.org>
Architecture: amd64
Multi-Arch: foreign
Source: systemd
Version: 252.36-1~deb12u1
Depends: libacl1 (>= 2.2.23), libblkid1 (>= 2.37.2), libc6 (>= 2.34), libcap2 (>= 1:2.10), libkmod2 (>= 15), libselinux1 (>= 3.1~), adduser, libudev1 (= 252.36-1~deb12u1)
Conffiles:
 /etc/init.d/udev e9424814d107af7d8f58a22b1011810a
 /etc/udev/udev.conf bf60be80a4cc51271a1618edf5a6d66f
Description: /dev/ and hotplug management daemon
 udev is a daemon which dynamically creates and removes device nodes from
 /dev/, handles hotplug events and loads drivers at boot time.
Homepage: https://www.freedesktop.org/wiki/Software/systemd
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            Package: libncursesw6
Status: install ok unpacked
Priority: optional
Section: libs
Installed-Size: 412
Maintainer: Craig Small <csmall@debian.org>
Architecture: amd64
Multi-Arch: same
Source: ncurses
Version: 6.4-4
Depends: libtinfo6 (= 6.4-4), libc6 (>= 2.34)
Recommends: libgpm2
Description: shared libraries for terminal handling (wide character support)
 The ncurses library routines are a terminal-independent method of
 updating character screens with reasonable optimization.
 .
 This package contains the shared libraries necessary to run programs
 compiled with ncursesw, which includes support for wide characters.
Homepage: https://invisible-island.net/ncurses/
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               Package: libncursesw6
Status: install ok half-configured
Priority: optional
Section: libs
Installed-Size: 412
Maintainer: Craig Small <csmall@debian.org>
Architecture: amd64
Multi-Arch: same
Source: ncurses
Version: 6.4-4
Depends: libtinfo6 (= 6.4-4), libc6 (>= 2.34)
Recommends: libgpm2
Description: shared libraries for terminal handling (wide character support)
 The ncurses library routines are a terminal-independent method of
 updating character screens with reasonable optimization.
 .
 This package contains the shared libraries necessary to run programs
 compiled with ncursesw, which includes support for wide characters.
Homepage: https://invisible-island.net/ncurses/
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        /etc/systemd/system/multi-user.target.wants/e2scrub_reap.service
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               /etc/systemd/system/timers.target.wants/fstrim.timer
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             .     ..    utils   A  commandsn  arborist-cmd.js   base-cmd.js   cli.js  n  cli v  lifecycle-cmd.js  npm.js   Lpackage-url-cmd.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        w'  .     ..    completion.fish }  audit-error.js    auth.js   cmd-list.js ?  did-you-mean.js G  
display.js  x  error-message.js  explain-dep.js    explain-eresolve.js   format-bytes.js    format-search-stream.js   	format.js     get-identity.js   get-workspaces.js   T  installed-deep.js   U  installed-shallow.jsb  
is-windows.js     log-file.js   npm-usage.js  open-url.js   output-error.js   ping.js 7  queryable.js?  read-user-info.js   O  reify-finish.js P  reify-output.js   sbom-cyclonedx.js     sbom-spdx.js  tar.js    	timers.js     update-workspaces.js+  validate-lockfile.js0  verify-signatures.js] 
completion.sh                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     |S  .     ..   angular.html                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              ށ   .     ..    output    lib y content                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       b
s  .     ..    	using-npm     configuring-npm  commands                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      ܢg  .     ..    config.html  $ dependency-selectors.html     developers.html   logging.html6  	orgs.html   9  package-spec.html   :  
registry.html   ;  removal.html<  
scope.html  =  scripts.html> workspaces.html                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   ޯnX  .     ..    folders.html  install.html  npm-global.html   
npm-json.html   #   npm-shrinkwrap-json.html4  
npmrc.html  7  package-json.html   8 4package-lock-json.html                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              .     ..    npm-access.html   npm-adduser.html  npm-audit.html    
npm-bugs.html     npm-cache.html    npm-ci.html   npm-completion.html   npm-config.html   npm-dedupe.html   npm-deprecate.html    
npm-diff.html     npm-dist-tag.html     
npm-docs.html     npm-doctor.html   
npm-edit.html     
npm-exec.html      npm-explain.html  npm-explore.html  npm-find-dupes.html   
npm-fund.html     npm-help-search.html  
npm-help.html     
npm-hook.html     
npm-init.html   	   npm-install-ci-test.html
   npm-install-test.html     npm-install.html
  
npm-link.html     npm-login.html    npm-logout.html   npm-ls.html   npm-org.html  npm-outdated.html     npm-owner.html    
npm-pack.html     
npm-ping.html     npm-pkg.html  npm-prefix.html   npm-profile.html  npm-prune.html    npm-publish.html  npm-query.html    npm-rebuild.html  
npm-repo.html     npm-restart.html  
npm-root.html      npm-run-script.html !  
npm-sbom.html   "  npm-search.html $  npm-shrinkwrap.html %  
npm-star.html   &  npm-stars.html  '  npm-start.html  (  
npm-stop.html   )  
npm-team.html   *  
npm-test.html   +  npm-token.html  ,  npm-uninstall.html  -  npm-unpublish.html  .  npm-unstar.html /  npm-update.html 0  npm-version.html1  
npm-view.html   2  npm-whoami.html 3  npm.html5 	npx.html                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          Bmy?  .     ..  @  abort-error.js    blob.js   body.js   fetch-error.js    
headers.js    index.jsZ  
request.js  ] Tresponse.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       9OA  .     ..  B  	access.js   M  
adduser.js    audit.js  bugs.js   cache.js  ci.js      
completion.js     	config.js   (  	dedupe.js   9  deprecate.js@  diff.js H  dist-tag.js O  docs.js P  	doctor.js   _  edit.js   exec.js   
explain.js    
explore.js    
find-dupes.js     fund.js   get.js    help-search.js    help.js   hook.js N  init.js O  install-ci-test.js  P  install-test.js Q  
install.js  ~  link.js   ll.js     login.js  	logout.js     ls.js     org.js    outdated.js   owner.js  pack.js   ping.js 
  pkg.js    	prefix.js     
profile.js  $  prune.js'  
publish.js  6  query.jsI  
rebuild.js  Y  repo.js ^  
restart.js  o  root.js u  
run-script.js     sbom.js   	search.js     set.js    
shrinkwrap.js     star.js   stars.js  start.js  stop.js   team.js   test.js   token.js	  uninstall.js  unpublish.js  	unstar.js     	update.js   4  
version.js  6  view.js B $	whoami.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         ްWkHC  .     ..  D  bin I  lib m  package.json  
LICENSE.md   	README.md                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 ހ_/etc/systemd/system/timers.target.wants/apt-daily-upgrade.timer
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                /etc/systemd/system/timers.target.wants/apt-daily.timer
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        D  .   C  ..  E  	actual.js     audit.js  
funding.js    ideal.js  index.jsu  
license.js    lib %  prune.jsQ  reify.js  
shrinkwrap.js   7 ,
virtual.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                ,MF  .     ..  G  utilF  dir.js    
fetcher.js    file.js   git.js    index.jsM  registry.js V h	remote.js                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             vUhPackage: libbpf1
Status: install ok half-configured
Priority: optional
Section: libs
Installed-Size: 384
Maintainer: Sudip Mukherjee <sudipm.mukherjee@gmail.com>
Architecture: amd64
Multi-Arch: same
Source: libbpf (1.1.0-1)
Version: 1:1.1.0-1
Depends: libc6 (>= 2.34), libelf1 (>= 0.144), zlib1g (>= 1:1.2.3.3)
Description: eBPF helper library (shared library)
 libbpf is a library for loading eBPF programs and reading and
 manipulating eBPF objects from user-space.
 .
 This package contains the shared library.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              Package: libbpf1
Status: install ok installed
Priority: optional
Section: libs
Installed-Size: 384
Maintainer: Sudip Mukherjee <sudipm.mukherjee@gmail.com>
Architecture: amd64
Multi-Arch: same
Source: libbpf (1.1.0-1)
Version: 1:1.1.0-1
Depends: libc6 (>= 2.34), libelf1 (>= 0.144), zlib1g (>= 1:1.2.3.3)
Description: eBPF helper library (shared library)
 libbpf is a library for loading eBPF programs and reading and
 manipulating eBPF objects from user-space.
 .
 This package contains the shared library.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    Package: libpopt0
Status: install ok unpacked
Priority: optional
Section: libs
Installed-Size: 245
Maintainer: Håvard F. Aasen <havard.f.aasen@pfft.no>
Architecture: amd64
Multi-Arch: same
Source: popt
Version: 1.19+dfsg-1
Depends: libc6 (>= 2.33)
Description: lib for parsing cmdline parameters
 Popt was heavily influenced by the getopt() and getopt_long() functions,
 but it allows more powerful argument expansion. It can parse arbitrary
 argv[] style arrays and automatically set variables based on command
 line arguments. It also allows command line arguments to be aliased via
 configuration files and includes utility functions for parsing arbitrary
 strings into argv[] arrays using shell-like rules.
 .
 This package contains the runtime library and locale data.
Homepage: https://github.com/rpm-software-management/popt
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               Package: libpopt0
Status: install ok half-configured
Priority: optional
Section: libs
Installed-Size: 245
Maintainer: Håvard F. Aasen <havard.f.aasen@pfft.no>
Architecture: amd64
Multi-Arch: same
Source: popt
Version: 1.19+dfsg-1
Depends: libc6 (>= 2.33)
Description: lib for parsing cmdline parameters
 Popt was heavily influenced by the getopt() and getopt_long() functions,
 but it allows more powerful argument expansion. It can parse arbitrary
 argv[] style arrays and automatically set variables based on command
 line arguments. It also allows command line arguments to be aliased via
 configuration files and includes utility functions for parsing arbitrary
 strings into argv[] arrays using shell-like rules.
 .
 This package contains the runtime library and locale data.
Homepage: https://github.com/rpm-software-management/popt
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        Package: libpopt0
Status: install ok installed
Priority: optional
Section: libs
Installed-Size: 245
Maintainer: Håvard F. Aasen <havard.f.aasen@pfft.no>
Architecture: amd64
Multi-Arch: same
Source: popt
Version: 1.19+dfsg-1
Depends: libc6 (>= 2.33)
Description: lib for parsing cmdline parameters
 Popt was heavily influenced by the getopt() and getopt_long() functions,
 but it allows more powerful argument expansion. It can parse arbitrary
 argv[] style arrays and automatically set variables based on command
 line arguments. It also allows command line arguments to be aliased via
 configuration files and includes utility functions for parsing arbitrary
 strings into argv[] arrays using shell-like rules.
 .
 This package contains the runtime library and locale data.
Homepage: https://github.com/rpm-software-management/popt
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              Package: logrotate
Status: install ok unpacked
Priority: important
Section: admin
Installed-Size: 160
Maintainer: Christian Göttsche <cgzones@googlemail.com>
Architecture: amd64
Multi-Arch: foreign
Version: 3.21.0-1
Depends: cron | anacron | cron-daemon | systemd-sysv, libacl1 (>= 2.2.23), libc6 (>= 2.34), libpopt0 (>= 1.14), libselinux1 (>= 3.1~)
Suggests: bsd-mailx | mailx
Conffiles:
 /etc/cron.daily/logrotate newconffile
 /etc/logrotate.conf newconffile
 /etc/logrotate.d/btmp newconffile
 /etc/logrotate.d/wtmp newconffile
Description: Log rotation utility
 The logrotate utility is designed to simplify the administration of
 log files on a system which generates a lot of log files.  Logrotate
 allows for the automatic rotation compression, removal and mailing of
 log files.  Logrotate can be set to handle a log file daily, weekly,
 monthly or when the log file gets to a certain size.  Normally, logrotate
 runs as a daily cron job.
Homepage: https://github.com/logrotate/logrotate
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           Package: logrotate
Status: install ok unpacked
Priority: important
Section: admin
Installed-Size: 160
Maintainer: Christian Göttsche <cgzones@googlemail.com>
Architecture: amd64
Multi-Arch: foreign
Version: 3.21.0-1
Depends: cron | anacron | cron-daemon | systemd-sysv, libacl1 (>= 2.2.23), libc6 (>= 2.34), libpopt0 (>= 1.14), libselinux1 (>= 3.1~)
Suggests: bsd-mailx | mailx
Conffiles:
 /etc/cron.daily/logrotate 31da718265eaaa2fdabcfb2743bda171
 /etc/logrotate.conf newconffile
 /etc/logrotate.d/btmp newconffile
 /etc/logrotate.d/wtmp newconffile
Description: Log rotation utility
 The logrotate utility is designed to simplify the administration of
 log files on a system which generates a lot of log files.  Logrotate
 allows for the automatic rotation compression, removal and mailing of
 log files.  Logrotate can be set to handle a log file daily, weekly,
 monthly or when the log file gets to a certain size.  Normally, logrotate
 runs as a daily cron job.
Homepage: https://github.com/logrotate/logrotate
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      Package: logrotate
Status: install ok unpacked
Priority: important
Section: admin
Installed-Size: 160
Maintainer: Christian Göttsche <cgzones@googlemail.com>
Architecture: amd64
Multi-Arch: foreign
Version: 3.21.0-1
Depends: cron | anacron | cron-daemon | systemd-sysv, libacl1 (>= 2.2.23), libc6 (>= 2.34), libpopt0 (>= 1.14), libselinux1 (>= 3.1~)
Suggests: bsd-mailx | mailx
Conffiles:
 /etc/cron.daily/logrotate 31da718265eaaa2fdabcfb2743bda171
 /etc/logrotate.conf bb61e48721fc3fb8e58002bce2f9a571
 /etc/logrotate.d/btmp newconffile
 /etc/logrotate.d/wtmp newconffile
Description: Log rotation utility
 The logrotate utility is designed to simplify the administration of
 log files on a system which generates a lot of log files.  Logrotate
 allows for the automatic rotation compression, removal and mailing of
 log files.  Logrotate can be set to handle a log file daily, weekly,
 monthly or when the log file gets to a certain size.  Normally, logrotate
 runs as a daily cron job.
Homepage: https://github.com/logrotate/logrotate
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 Package: logrotate
Status: install ok unpacked
Priority: important
Section: admin
Installed-Size: 160
Maintainer: Christian Göttsche <cgzones@googlemail.com>
Architecture: amd64
Multi-Arch: foreign
Version: 3.21.0-1
Depends: cron | anacron | cron-daemon | systemd-sysv, libacl1 (>= 2.2.23), libc6 (>= 2.34), libpopt0 (>= 1.14), libselinux1 (>= 3.1~)
Suggests: bsd-mailx | mailx
Conffiles:
 /etc/cron.daily/logrotate 31da718265eaaa2fdabcfb2743bda171
 /etc/logrotate.conf bb61e48721fc3fb8e58002bce2f9a571
 /etc/logrotate.d/btmp 55631862595faf6432786dc335eb3f44
 /etc/logrotate.d/wtmp newconffile
Description: Log rotation utility
 The logrotate utility is designed to simplify the administration of
 log files on a system which generates a lot of log files.  Logrotate
 allows for the automatic rotation compression, removal and mailing of
 log files.  Logrotate can be set to handle a log file daily, weekly,
 monthly or when the log file gets to a certain size.  Normally, logrotate
 runs as a daily cron job.
Homepage: https://github.com/logrotate/logrotate
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            Package: logrotate
Status: install ok unpacked
Priority: important
Section: admin
Installed-Size: 160
Maintainer: Christian Göttsche <cgzones@googlemail.com>
Architecture: amd64
Multi-Arch: foreign
Version: 3.21.0-1
Depends: cron | anacron | cron-daemon | systemd-sysv, libacl1 (>= 2.2.23), libc6 (>= 2.34), libpopt0 (>= 1.14), libselinux1 (>= 3.1~)
Suggests: bsd-mailx | mailx
Conffiles:
 /etc/cron.daily/logrotate 31da718265eaaa2fdabcfb2743bda171
 /etc/logrotate.conf bb61e48721fc3fb8e58002bce2f9a571
 /etc/logrotate.d/btmp 55631862595faf6432786dc335eb3f44
 /etc/logrotate.d/wtmp 46cd7ecb1810441bd450987a976f5540
Description: Log rotation utility
 The logrotate utility is designed to simplify the administration of
 log files on a system which generates a lot of log files.  Logrotate
 allows for the automatic rotation compression, removal and mailing of
 log files.  Logrotate can be set to handle a log file daily, weekly,
 monthly or when the log file gets to a certain size.  Normally, logrotate
 runs as a daily cron job.
Homepage: https://github.com/logrotate/logrotate
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       Package: logrotate
Status: install ok half-configured
Priority: important
Section: admin
Installed-Size: 160
Maintainer: Christian Göttsche <cgzones@googlemail.com>
Architecture: amd64
Multi-Arch: foreign
Version: 3.21.0-1
Depends: cron | anacron | cron-daemon | systemd-sysv, libacl1 (>= 2.2.23), libc6 (>= 2.34), libpopt0 (>= 1.14), libselinux1 (>= 3.1~)
Suggests: bsd-mailx | mailx
Conffiles:
 /etc/cron.daily/logrotate 31da718265eaaa2fdabcfb2743bda171
 /etc/logrotate.conf bb61e48721fc3fb8e58002bce2f9a571
 /etc/logrotate.d/btmp 55631862595faf6432786dc335eb3f44
 /etc/logrotate.d/wtmp 46cd7ecb1810441bd450987a976f5540
Description: Log rotation utility
 The logrotate utility is designed to simplify the administration of
 log files on a system which generates a lot of log files.  Logrotate
 allows for the automatic rotation compression, removal and mailing of
 log files.  Logrotate can be set to handle a log file daily, weekly,
 monthly or when the log file gets to a certain size.  Normally, logrotate
 runs as a daily cron job.
Homepage: https://github.com/logrotate/logrotate
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                Package: logrotate
Status: install ok installed
Priority: important
Section: admin
Installed-Size: 160
Maintainer: Christian Göttsche <cgzones@googlemail.com>
Architecture: amd64
Multi-Arch: foreign
Version: 3.21.0-1
Depends: cron | anacron | cron-daemon | systemd-sysv, libacl1 (>= 2.2.23), libc6 (>= 2.34), libpopt0 (>= 1.14), libselinux1 (>= 3.1~)
Suggests: bsd-mailx | mailx
Conffiles:
 /etc/cron.daily/logrotate 31da718265eaaa2fdabcfb2743bda171
 /etc/logrotate.conf bb61e48721fc3fb8e58002bce2f9a571
 /etc/logrotate.d/btmp 55631862595faf6432786dc335eb3f44
 /etc/logrotate.d/wtmp 46cd7ecb1810441bd450987a976f5540
Description: Log rotation utility
 The logrotate utility is designed to simplify the administration of
 log files on a system which generates a lot of log files.  Logrotate
 allows for the automatic rotation compression, removal and mailing of
 log files.  Logrotate can be set to handle a log file daily, weekly,
 monthly or when the log file gets to a certain size.  Normally, logrotate
 runs as a daily cron job.
Homepage: https://github.com/logrotate/logrotate
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      Package: libnewt0.52
Status: install ok unpacked
Priority: optional
Section: libs
Installed-Size: 365
Maintainer: Alastair McKinstry <mckinstry@debian.org>
Architecture: amd64
Multi-Arch: same
Source: newt (0.52.23-1)
Version: 0.52.23-1+b1
Depends: libc6 (>= 2.34), libslang2 (>= 2.2.4)
Recommends: libfribidi0
Description: Not Erik's Windowing Toolkit - text mode windowing with slang
 Newt is a windowing toolkit for text mode built from the slang library.
 It allows color text mode applications to easily use stackable windows,
 push buttons, check boxes, radio buttons, lists, entry fields, labels,
 and displayable text. Scrollbars are supported, and forms may be nested
 to provide extra functionality. This package contains the shared library
 for programs that have been built with newt.
Homepage: https://pagure.io/newt
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  Package: libnewt0.52
Status: install ok half-configured
Priority: optional
Section: libs
Installed-Size: 365
Maintainer: Alastair McKinstry <mckinstry@debian.org>
Architecture: amd64
Multi-Arch: same
Source: newt (0.52.23-1)
Version: 0.52.23-1+b1
Depends: libc6 (>= 2.34), libslang2 (>= 2.2.4)
Recommends: libfribidi0
Description: Not Erik's Windowing Toolkit - text mode windowing with slang
 Newt is a windowing toolkit for text mode built from the slang library.
 It allows color text mode applications to easily use stackable windows,
 push buttons, check boxes, radio buttons, lists, entry fields, labels,
 and displayable text. Scrollbars are supported, and forms may be nested
 to provide extra functionality. This package contains the shared library
 for programs that have been built with newt.
Homepage: https://pagure.io/newt
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           Package: libnewt0.52
Status: install ok installed
Priority: optional
Section: libs
Installed-Size: 365
Maintainer: Alastair McKinstry <mckinstry@debian.org>
Architecture: amd64
Multi-Arch: same
Source: newt (0.52.23-1)
Version: 0.52.23-1+b1
Depends: libc6 (>= 2.34), libslang2 (>= 2.2.4)
Recommends: libfribidi0
Description: Not Erik's Windowing Toolkit - text mode windowing with slang
 Newt is a windowing toolkit for text mode built from the slang library.
 It allows color text mode applications to easily use stackable windows,
 push buttons, check boxes, radio buttons, lists, entry fields, labels,
 and displayable text. Scrollbars are supported, and forms may be nested
 to provide extra functionality. This package contains the shared library
 for programs that have been built with newt.
Homepage: https://pagure.io/newt
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 Package: libedit2
Status: install ok unpacked
Priority: optional
Section: libs
Installed-Size: 258
Maintainer: LLVM Packaging Team <pkg-llvm-team@lists.alioth.debian.org>
Architecture: amd64
Multi-Arch: same
Source: libedit
Version: 3.1-20221030-2
Replaces: libedit-dev (<< 3.1-20180525-2~)
Depends: libbsd0 (>= 0.1.3), libc6 (>= 2.33), libtinfo6 (>= 6)
Description: BSD editline and history libraries
 Command line editor library provides generic line editing,
 history, and tokenization functions.
 .
 It slightly resembles GNU readline.
Homepage: https://www.thrysoee.dk/editline/
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        