#!/bin/sh

PREREQ=""
prereqs()
{
	echo "$PREREQ"
}
case $1 in
# get pre-requisites
prereqs)
	prereqs
	exit 0
	;;
esac

if [ -x /bin/setupcon ]; then
	/bin/setupcon
fi
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         #!/bin/sh -e

PREREQS=""

prereqs() { echo "$PREREQS"; }

case "$1" in
    prereqs)
    prereqs
    exit 0
    ;;
esac

if [ -w /sys/kernel/uevent_helper ]; then
	echo > /sys/kernel/uevent_helper
fi

if [ "${quiet:-n}" = "y" ]; then
	log_level=notice
else
	log_level=info
fi

SYSTEMD_LOG_LEVEL=$log_level /lib/systemd/systemd-udevd --daemon --resolve-names=never

udevadm trigger --type=subsystems --action=add
udevadm trigger --type=devices --action=add
udevadm settle || true

# Leave udev running to process events that come in out-of-band (like USB
# connections)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        # NFS filesystem mounting			-*- shell-script -*-

# FIXME This needs error checking

nfs_top()
{
	if [ "${nfs_top_used}" != "yes" ]; then
		[ "${quiet?}" != "y" ] && log_begin_msg "Running /scripts/nfs-top"
		run_scripts /scripts/nfs-top
		[ "$quiet" != "y" ] && log_end_msg
	fi
	nfs_top_used=yes
}

nfs_premount()
{
	if [ "${nfs_premount_used}" != "yes" ]; then
		[ "${quiet?}" != "y" ] && log_begin_msg "Running /scripts/nfs-premount"
		run_scripts /scripts/nfs-premount
		[ "$quiet" != "y" ] && log_end_msg
	fi
	nfs_premount_used=yes
}

nfs_bottom()
{
	if [ "${nfs_premount_used}" = "yes" ] || [ "${nfs_top_used}" = "yes" ]; then
		[ "${quiet?}" != "y" ] && log_begin_msg "Running /scripts/nfs-bottom"
		run_scripts /scripts/nfs-bottom
		[ "$quiet" != "y" ] && log_end_msg
	fi
	nfs_premount_used=no
	nfs_top_used=no
}

# parse nfs bootargs and mount nfs
nfs_mount_root_impl()
{
	configure_networking

	# get nfs root from dhcp
	if [ "${NFSROOT}" = "auto" ]; then
		# check if server ip is part of dhcp root-path
		if [ "${ROOTPATH#*:}" = "${ROOTPATH}" ]; then
			NFSROOT=${ROOTSERVER}:${ROOTPATH}
		else
			NFSROOT=${ROOTPATH}
		fi

	# nfsroot=[<server-ip>:]<root-dir>[,<nfs-options>]
	elif [ -n "${NFSROOT}" ]; then
		# nfs options are an optional arg
		if [ "${NFSROOT#*,}" != "${NFSROOT}" ]; then
			NFSOPTS="-o ${NFSROOT#*,}"
		fi
		NFSROOT=${NFSROOT%%,*}
		if [ "${NFSROOT#*:}" = "$NFSROOT" ]; then
			NFSROOT=${ROOTSERVER}:${NFSROOT}
		fi
	fi

	if [ -z "${NFSOPTS}" ]; then
		NFSOPTS="-o retrans=10"
	fi

	nfs_premount

	if [ "${readonly?}" = y ]; then
		roflag="-o ro"
	else
		roflag="-o rw"
	fi

	# shellcheck disable=SC2086
	nfsmount -o nolock ${roflag} ${NFSOPTS} "${NFSROOT}" "${rootmnt?}"
}

# NFS root mounting
nfs_mount_root()
{
	nfs_top

	# For DHCP
	/sbin/modprobe af_packet

	wait_for_udev 10

	# Default delay is around 180s
	delay=${ROOTDELAY:-180}

	# loop until nfsmount succeeds
	nfs_mount_root_impl
	ret=$?
	nfs_retry_count=0
	while [ ${nfs_retry_count} -lt "${delay}" ] \
		&& [ $ret -ne 0 ] ; do
		[ "$quiet" != "y" ] && log_begin_msg "Retrying nfs mount"
		sleep 1
		nfs_mount_root_impl
		ret=$?
		nfs_retry_count=$(( nfs_retry_count + 1 ))
		[ "$quiet" != "y" ] && log_end_msg
	done
}

nfs_mount_fs_impl()
{
	configure_networking

	if [ -z "${NFSOPTS}" ]; then
		NFSOPTS="-o retrans=10"
	fi

	nfs_premount

	if [ "${readonly}" = y ]; then
		roflag="-o ro"
	else
		roflag="-o rw"
	fi

	read_fstab_entry "$1"

	# shellcheck disable=SC2086
	nfsmount ${roflag} ${NFSOPTS} -o "${MNT_OPTS}" "$MNT_FSNAME" "${rootmnt}${MNT_DIR}"
}

nfs_mount_fs()
{
	nfs_top

	# For DHCP
	/sbin/modprobe af_packet

	wait_for_udev 10

	# Default delay is around 180s
	delay=${ROOTDELAY:-180}

	# Don't loop here; we can't sanely check if it worked like for
	# the rootfs or /etc.
	nfs_mount_fs_impl "$1"
}

mountroot()
{
	nfs_mount_root
}

mount_top()
{
	# Note, also called directly in case it's overridden.
	nfs_top
}

mount_premount()
{
	# Note, also called directly in case it's overridden.
	nfs_premount
}

mount_bottom()
{
	# Note, also called directly in case it's overridden.
	nfs_bottom
}
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 DPKG_ARCH=amd64
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                #
# initramfs.conf
# Configuration file for mkinitramfs(8). See initramfs.conf(5).
#
# Note that configuration options from this file can be overridden
# by config files in the /etc/initramfs-tools/conf.d directory.

#
# MODULES: [ most | netboot | dep | list ]
#
# most - Add most filesystem and all harddrive drivers.
#
# dep - Try and guess which modules to load.
#
# netboot - Add the base modules, network modules, but skip block devices.
#
# list - Only include modules from the 'additional modules' list
#

MODULES=most

#
# BUSYBOX: [ y | n | auto ]
#
# Use busybox shell and utilities.  If set to n, klibc utilities will be used.
# If set to auto (or unset), busybox will be used if installed and klibc will
# be used otherwise.
#

BUSYBOX=auto

#
# KEYMAP: [ y | n ]
#
# Load a keymap during the initramfs stage.
#

KEYMAP=n

#
# COMPRESS: [ gzip | bzip2 | lz4 | lzma | lzop | xz | zstd ]
#

COMPRESS=zstd

#
# COMPRESSLEVEL: ...
#
# Set a compression level for the compressor.
# Defaults vary by compressor.
#
# Valid values are:
# 1 -  9 for gzip|bzip2|lzma|lzop
# 0 -  9 for  lz4|xz
# 0 - 19 for zstd
#
# COMPRESSLEVEL=3

#
# DEVICE: ...
#
# Specify a specific network interface, like eth0
# Overridden by optional ip= or BOOTIF= bootarg
#

DEVICE=

#
# NFSROOT: [ auto | HOST:MOUNT ]
#

NFSROOT=auto

#
# RUNSIZE: ...
#
# The size of the /run tmpfs mount point, like 256M or 10%
# Overridden by optional initramfs.runsize= bootarg
#

RUNSIZE=10%

#
# FSTYPE: ...
#
# The filesystem type(s) to support, or "auto" to use the current root
# filesystem type
#

FSTYPE=auto
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 RESUME=UUID=a7e96162-6847-464d-b510-8aaba6c7dce0
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               Package: libc-bin
Essential: yes
Status: install ok half-configured
Priority: required
Section: libs
Installed-Size: 2041
Maintainer: GNU Libc Maintainers <debian-glibc@lists.debian.org>
Architecture: amd64
Multi-Arch: foreign
Source: glibc
Version: 2.36-9+deb12u10
Config-Version: 2.36-9+deb12u10
Depends: libc6 (>> 2.36), libc6 (<< 2.37)
Recommends: manpages
Breaks: dh-lua (<< 27+nmu1~)
Conffiles:
 /etc/bindresvport.blacklist 4c09213317e4e3dd3c71d74404e503c5
 /etc/default/nss d6d5d6f621fb3ead2548076ce81e309c
 /etc/gai.conf 28fa76ff5a9e0566eaa1e11f1ce51f09
 /etc/ld.so.conf 4317c6de8564b68d628c21efa96b37e4
 /etc/ld.so.conf.d/libc.conf d4d833fd095fb7b90e1bb4a547f16de6
Description: GNU C Library: Binaries
 This package contains utility programs related to the GNU C Library.
 .
  * getconf: query system configuration variables
  * getent: get entries from administrative databases
  * iconv, iconvconfig: convert between character encodings
  * ldd, ldconfig: print/configure shared library dependencies
  * locale, localedef: show/generate locale definitions
  * tzselect, zdump, zic: select/dump/compile time zones
Homepage: https://www.gnu.org/software/libc/libc.html
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      ϚW             	                                                 O             o                  	            	       ?     	            
       o     
       /     
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   0      0      0      0      0      0      0      0      @      @      @      @      @      @      @      @      	      	      	      	      	      	      	      	      	      	      	      	      	      	      	      	      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
                                                                                                              
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      @      @      @      @      @      @      @      @      P      P      P      P      P      P      P      P                                                                                                                                                                                                              0
      0
      0
      0
      0
      0
      0
      0
      @
      @
      @
      @
      @
      @
      @
      @
      `      `      `      `      `      `      `      `      p      p      p      p      p      p      p      p      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      	      	      	      	      	      	      	      	      	      	      	      	      	      	      	      	                                                                                                      `
      `
      `
      `
      `
      `
      `
      `
      p
      p
      p
      p
      p
      p
      p
      p
      p      p      p      p      p      p      p      p                                                      0
      0
      0
      0
      0
      0
      0
      0
      @
      @
      @
      @
      @
      @
      @
      @
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      @      @      @      @      @      @      @      @      P      P      P      P      P      P      P      P                                                       	       	       	       	       	       	       	       	      p      p      p      p      p      p      p      p                                                      p      p      p      p      p      p      p      p      p      p      p      p      p      p      p      p                                                                                                                                                                                                              P	      P	      P	      P	      P	      P	      P	      P	      `	      `	      `	      `	      `	      `	      `	      `	                                                                                                                                                                                                       
       
       
       
       
       
       
       
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
                                                                                                       
       
       
       
       
       
       
       
      
      
      
      
      
      
      
      
                                                                                                     aio_fsync -	3	3	1682851326	0	A	-	t	gz	asynchronous file synchronization aio_read -	3	3	1682851326	0	A	-	t	gz	asynchronous read aio_write -	3	3	1682851326	0	A	-	t	gz	asynchronous write aligned_alloc -	3	3	1682851326	0	B	-	t	gz	allocate aligned memory alphasort -	3	3	1682851326	0	B	-	t	gz	scan a directory for matching entries american-english -	5	5	1642655800	0	A	-	-	gz	a list of English words apparmor	7 -	7	7	1676375355	0	A	-	-	gz	kernel enhancement to confine programs to a limited set of resources. apparmor.d -	5	5	1676375355	0	A	-	-	gz	syntax of security profiles for AppArmor. apparmor_xattrs -	7	7	1676375355	0	A	-	-	gz	AppArmor profile xattr(7) matching applygnupgdefaults -	8	8	1679835785	0	A	-	-	gz	Run gpgconf --apply-defaults for all users. apt -	8	8	1685023897	0	A	-	-	gz	command-line interface apt-cache -	8	8	1685023897	0	A	-	-	gz	query the APT cache apt-cdrom -	8	8	1685023897	0	A	-	-	gz	APT CD-ROM management utility apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Utility to extract debconf config and templates from Debian packages apt-get -	8	8	1685023897	0	A	-	-	gz	APT package handling utility -- command-line interface apt-key -	8	8	1685023897	0	A	-	-	gz	Deprecated APT key management utility apt-listchanges -	1	1	1616929604	0	A	-	-	gz	Show new changelog entries from Debian package archives apt-patterns -	7	7	1685023897	0	A	-	-	gz	Syntax and semantics of apt search patterns apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	Utility to sort package index files apt-transport-http -	1	1	1685023897	0	A	-	-	gz	APT transport for downloading via the Hypertext Transfer Protocol (HTTP) apt-transport-https -	1	1	1685023897	0	A	-	-	gz	APT transport for downloading via the HTTP Secure protocol (HTTPS) apt-transport-mirror -	1	1	1685023897	0	A	-	-	gz	APT transport for more automated mirror selection apt_auth.conf -	5	5	1685023897	0	A	-	-	gz	Login configuration file for APT sources and proxies apt_preferences -	5	5	1685023897	0	A	-	-	gz	Preference control file for APT ar -	1	1	1673717062	0	A	-	-	gz	create, modify, and extract from archives arc4random -	3	3	1682851326	0	A	-	t	gz	cryptographically-secure pseudorandom number generator arch_prctl -	2	2	1682851326	0	A	-	-	gz	set architecture-specific thread state argz -	3	3	1682851326	0	B	-	t	gz	functions to handle an argz list argz_add -	3	3	1682851326	0	A	-	t	gz	functions to handle an argz list argz_add_sep -	3	3	1682851326	0	B	-	t	gz	functions to handle an argz list argz_append -	3	3	1682851326	0	B	-	t	gz	functions to handle an argz list argz_create_sep -	3	3	1682851326	0	B	-	t	gz	functions to handle an argz list argz_extract -	3	3	1682851326	0	B	-	t	gz	functions to handle an argz list argz_insert -	3	3	1682851326	0	B	-	t	gz	functions to handle an argz list argz_stringify -	3	3	1682851326	0	B	-	t	gz	functions to handle an argz list arm_fadvise64_64 -	2	2	1682851326	0	B	-	-	gz	predeclare an access pattern for file data arm_sync_file_range -	2	2	1682851326	0	B	-	-	gz	sync a file segment with disk arp 	arp	7	arp	8 arpd -	8	8	1684761592	0	A	-	-	gz	userspace arp daemon. ascii -	7	7	1682851326	0	A	-	t	gz	ASCII character set encoded in octal, decimal, and hexadecimal asctime_r -	3	3	1682851326	0	B	-	t	gz	transform date and time to broken-down time or ASCII asin -	3	3	1682851326	0	A	-	t	gz	arc sine function asinf -	3	3	1682851326	0	B	-	t	gz	arc sine function asinh -	3	3	1682851326	0	A	-	t	gz	inverse hyperbolic sine function asinhf -	3	3	1682851326	0	B	-	t	gz	inverse hyperbolic sine function asinhl -	3	3	1682851326	0	B	-	t	gz	inverse hyperbolic sine function asinl -	3	3	1682851326	0	B	-	t	gz	arc sine function aspell-autobuildhash -	8	8	1678828651	0	A	-	-	gz	Autobuilding aspell hash files for some dicts asprintf -	3	3	1682851326	0	A	-	t	gz	print to allocated string asymmetric-key -	7	7	1671398158	0	A	-	-	gz	Kernel key type for holding asymmetric keys atan -	3	3	1682851326	0	A	-	t	gz	arc tangent function atanf -	3	3	1682851326	0	B	-	t	gz	arc tangent function atanhl -	3	3	1682851326	0	B	-	t	gz	inverse hyperbolic tangent function atanl -	3	3	1682851326	0	B	-	t	gz	arc tangent function bpf 	BPF	8	bpf	2  $version$ 2.5.0 .ldaprc -	5	5	1675821372	0	C	ldap.conf	-	gz	 // -	3	3	1672587846	0	C	pcre2demo	-	gz	 /etc/adduser.conf -	5	5	1685030075	0	C	adduser.conf	-	gz	 /etc/deluser.conf -	5	5	1685030075	0	C	deluser.conf	-	gz	 /etc/mailcap.order -	5	5	1638191247	0	C	mailcap.order	-	gz	 /etc/modules -	5	5	1670630544	0	C	modules	-	gz	 /etc/network/interfaces -	5	5	1674565652	0	C	interfaces	-	gz	 30-systemd-environment-d-generator -	8	8	1748538242	0	B	-	-	gz	Load variables specified by environment.d AS	1 -	1	1	1673717062	0	C	as	-	gz	 AppArmor	7 -	7	7	1676375355	0	C	apparmor	-	gz	 BPF	8 -	8	8	1684761592	0	C	tc-bpf	-	gz	 BPF-HELPERS	7 -	7	7	1682851326	0	C	bpf-helpers	-	gz	 BusyBox	1 -	1	1	1745239638	0	C	busybox	-	gz	 Compose	5 -	5	5	1696323152	0	A	-	-	gz	X client mappings for multi-key input sequences Dpkg	3perl -	3perl	3	1683770641	0	A	-	-	gz	module with core variables Error	3pm -	3pm	3	1665755006	0	A	-	-	gz	Error/exception handling in an OO-ish way FD_CLR	2 -	2	2	1682851326	0	C	select	-	gz	 FD_CLR	3 -	3	3	1682851326	0	B	-	-	gz	synchronous I/O multiplexing FD_ISSET	2 -	2	2	1682851326	0	C	select	-	gz	 FD_ISSET	3 -	3	3	1682851326	0	B	-	-	gz	synchronous I/O multiplexing FD_SET	2 -	2	2	1682851326	0	C	select	-	gz	 FD_SET	3 -	3	3	1682851326	0	B	-	-	gz	synchronous I/O multiplexing FD_ZERO	2 -	2	2	1682851326	0	C	select	-	gz	 FD_ZERO	3 -	3	3	1682851326	0	B	-	-	gz	synchronous I/O multiplexing FILE	3type -	3type	3	1682851326	0	A	-	-	gz	input/output stream Git	3pm -	3pm	3	1736624763	0	A	-	-	gz	Perl interface to the Git version control system GnuPG	7 -	7	7	1679835785	0	C	gnupg	-	gz	 Landlock	7 -	7	7	1682851326	0	C	landlock	-	gz	 NAN	3 -	3	3	1682851326	0	B	-	-	gz	floating-point constants NULL	3const -	3const	3	1682851326	0	A	-	-	gz	null pointer constant PAM	7 -	7	7	1695329712	0	A	-	-	gz	Pluggable Authentication Modules for Linux PA_CHAR	3 -	3	3	1682851326	0	C	register_printf_modifier	-	gz	 PA_CHAR	3const -	3const	3	1682851326	0	B	-	-	gz	define custom behavior for printf-like functions PA_CHAR	3head -	3head	3	1682851326	0	C	printf.h	-	gz	 PA_CHAR	3type -	3type	3	1682851326	0	C	printf_arginfo_size_function	-	gz	 PA_DOUBLE	3 -	3	3	1682851326	0	C	register_printf_modifier	-	gz	 PA_DOUBLE	3const -	3const	3	1682851326	0	B	-	-	gz	define custom behavior for printf-like functions PA_DOUBLE	3head -	3head	3	1682851326	0	C	printf.h	-	gz	 PA_DOUBLE	3type -	3type	3	1682851326	0	C	printf_arginfo_size_function	-	gz	 PA_FLAG_LONG	3 -	3	3	1682851326	0	C	register_printf_modifier	-	gz	 PA_FLAG_LONG	3const -	3const	3	1682851326	0	B	-	-	gz	define custom behavior for printf-like functions PA_FLAG_LONG	3head -	3head	3	1682851326	0	C	printf.h	-	gz	 PA_FLAG_LONG	3type -	3type	3	1682851326	0	C	printf_arginfo_size_function	-	gz	 PA_FLAG_LONG_DOUBLE	3 -	3	3	1682851326	0	C	register_printf_modifier	-	gz	 PA_FLAG_LONG_DOUBLE	3const -	3const	3	1682851326	0	B	-	-	gz	define custom behavior for printf-like functions PA_FLAG_LONG_DOUBLE	3head -	3head	3	1682851326	0	C	printf.h	-	gz	 PA_FLAG_LONG_DOUBLE	3type -	3type	3	1682851326	0	C	printf_arginfo_size_function	-	gz	 PA_FLAG_LONG_LONG	3 -	3	3	1682851326	0	C	register_printf_modifier	-	gz	 PA_FLAG_LONG_LONG	3const -	3const	3	1682851326	0	B	-	-	gz	define custom behavior for printf-like functions PA_FLAG_LONG_LONG	3head -	3head	3	1682851326	0	C	printf.h	-	gz	 PA_FLAG_LONG_LONG	3type -	3type	3	1682851326	0	C	printf_arginfo_size_function	-	gz	 PA_FLAG_PTR	3 -	3	3	1682851326	0	C	register_printf_modifier	-	gz	 PA_FLAG_PTR	3const -	3const	3	1682851326	0	B	-	-	gz	define custom behavior for printf-like functions PA_FLAG_PTR	3head -	3head	3	1682851326	0	C	printf.h	-	gz	 PA_FLAG_PTR	3type -	3type	3	1682851326	0	C	printf_arginfo_size_function	-	gz	 PA_FLAG_SHORT	3 -	3	3	1682851326	0	C	register_printf_modifier	-	gz	 PA_FLAG_SHORT	3const -	3const	3	1682851326	0	B	-	-	gz	define custom behavior for printf-like functions PA_FLAG_SHORT	3head -	3head	3	1682851326	0	C	printf.h	-	gz	 PA_FLAG_SHORT	3type -	3type	3	1682851326	0	C	printf_arginfo_size_function	-	gz	 PA_FLOAT	3 -	3	3	1682851326	0	C	register_printf_modifier	-	gz	 acct 	acct	2	acct	5                ϚW             	          P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ?            "I                                                                          P                                                                                   }HQman S=         N   F<fail 9      
   ]   Hmanp=            	'{Lapt-
4         P                       EsourEC      
   K                                                                                                                                               isuzgrou9      	   1   Adpkg7      	   ;   eclogi<         I   ֯RuserD         N                                                               n\chgp[6      
   X   Sacce0      	   h   pass?      	   6   sU$ver 0      
      -#apt-l2         h   [-kapt.4      	   :    =WuserC         k   vshadC         7   ^|remo$A      
   T   zwhat
G         J   X)'apt @1         :   Cgrpc!;         H   ؎rvim,B         P   ~?OzsoeG         F                       ŋJapt-
2         T   Qfail8      
   >   UNvim E         P                                                                                                                                                                   ?	gpasg9         C   Icm&chpa6      	   I                                           -'pass?            sdgrou:      	   M                                           @apwun@      	   H   S7dychfn
6         L                                                               <zXapt-3      	   ^   ZW.apt-73         g   zigrpuq;      
   H   cinst <         C                                           mqfail8                                                                                                                                    <%9nmappH         W                       ?newg>         A   U/rdeb-H         N                                                                                   P|pwco@         H   cexpiC8         Q   eapro0         Y   UlastQ<         f                                           ]sdpkgI7         X                       f.<add-0      
   T   SRpass @      	   3                                           I3apt_5         G                                                                                                                                               IvigrRE         r                       ܨ!saveB         1                                           I
grou9      	   .                       SVchsh7         5   Nhlogi<         :   9Ocatm]5         O                                           :
grpc:         F   2userfD         <                                                               	Iiex  7         P                       2rvieA         P                                           ogsha;         5   A2ZnoloY?         :   N*apt-1      
   E   U8apt-h4      
   N   xc	chag5         Q   run-A      
   G   V3grou#:      
   R   g
whic^G         1   ~manp>      
   U   [viewD         P   ?dpkg&H         9                                           Y<sg  B         J                                           +mand=         S   *Rmanpz>      
   A   PTwhicG         1   T\vimdF         q                       G6hapt-2         ?   Nnewu
?      	   C   bbpwck<@         C                                                                                   qvipwF         r                                                               #apt-~1      
   6                       Z6svi  D         P                                                                                                       $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	mostra il contenuto di una base di dati man-db in un formato comprensibile. add-shell -	8	8	1690587995	0	A	-	-	gz	aggiunge shell all'elenco di quelle valide per il login apropos -	1	1	1678659839	0	A	-	-	gz	ricerca nei nomi e nelle descrizioni delle pagine di manuale apt -	8	8	1685023897	0	A	-	-	gz	interfaccia a riga di comando apt-cache -	8	8	1685023897	0	A	-	-	gz	interroga la cache di APT apt-cdrom -	8	8	1685023897	0	A	-	-	gz	strumento APT per la gestione dei CD-ROM apt-config -	8	8	1685023897	0	A	-	-	gz	programma di interrogazione della configurazione di APT apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	utilità per estrarre configurazioni e modelli debconf dai pacchetti Debian apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	strumento per generare file indice apt-get -	8	8	1685023897	0	A	-	-	gz	strumento APT per la gestione dei pacchetti, interfaccia a riga di comando apt-mark -	8	8	1685023897	0	A	-	-	gz	mostra, imposta e deconfigura varie impostazioni per un pacchetto apt-secure -	8	8	1685023897	0	A	-	-	gz	supporto per l'autenticazione degli archivi per APT apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	utilità per ordinare i file indice dei pacchetti apt.conf -	5	5	1685023897	0	A	-	-	gz	file di configurazione di APT apt_preferences -	5	5	1685023897	0	A	-	-	gz	file di controllo delle preferenze per APT catman -	8	8	1678659839	0	A	-	-	gz	crea o aggiorna le pagine di manuale preformattate chage -	1	1	1744022326	0	A	-	-	gz	cambia le informazioni sulla scadenza della password chfn -	1	1	1744022326	0	A	-	-	gz	cambia il nome dell'utente e altre informazioni chgpasswd -	8	8	1744022326	0	A	-	-	gz	aggiorna le password di gruppo in modalità non interattiva chpasswd -	8	8	1744022326	0	A	-	-	gz	aggiorna le password in modo non interattivo chsh -	1	1	1744022326	0	A	-	-	gz	cambia la shell di login dpkg-split -	1	1	1683770641	0	A	-	-	gz	strumento per suddividere/unire archivi di pacchetto Debian dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	file di configurazione di dpkg ex -	1	1	1739683421	0	B	-	-	gz	VI Migliorato, un editor di testi per programmatori expiry -	1	1	1744022326	0	A	-	-	gz	controlla e fa rispettare la scadenza della password faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	file di log degli accessi falliti faillog	8 -	8	8	1744022326	0	A	-	-	gz	mostra le registrazioni e imposta i limiti degli accessi falliti gpasswd -	1	1	1744022326	0	A	-	-	gz	administer /etc/group and /etc/gshadow groupadd -	8	8	1744022326	0	A	-	-	gz	crea un nuovo gruppo groupdel -	8	8	1744022326	0	A	-	-	gz	rimuove un gruppo groupmems -	8	8	1744022326	0	A	-	-	gz	membri amministratori del gruppo primario dell'utente groupmod -	8	8	1744022326	0	A	-	-	gz	modifica la definizione di un gruppo del sistema grpck -	8	8	1744022326	0	A	-	-	gz	verifica l'integrità dei file dei gruppi grpconv -	8	8	1744022326	0	B	-	-	gz	convertono a e da password e gruppi shadow. grpunconv -	8	8	1744022326	0	B	-	-	gz	convertono a e da password e gruppi shadow. gshadow -	5	5	1744022326	0	A	-	-	gz	file shadow per i gruppi installkernel -	8	8	1690587995	0	A	-	-	gz	installa una nuova immagine del kernel lastlog -	8	8	1744022326	0	A	-	-	gz	riepiloga gli accessi più recenti di tutti gli utenti o dell'utente dato login -	1	1	1744022326	0	A	-	-	gz	apre una sessione sul sistema login.defs -	5	5	1744022326	0	A	-	-	gz	configurazione del pacchetto password shadow man -	1	1	1678659839	0	A	-	t	gz	un'interfaccia ai manuali di riferimento in linea mandb -	8	8	1678659839	0	A	-	t	gz	crea o aggiorna le cache index delle pagine di manuale manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	determina il percorso di ricerca delle pagine di manuale manpath	5 -	5	5	1678659839	0	A	-	-	gz	formato del file /etc/manpath.config newgrp -	1	1	1744022326	0	A	-	-	gz	effettua l'accesso a un nuovo gruppo newusers -	8	8	1744022326	0	A	-	-	gz	aggiorna e crea nuovi utenti in blocco nologin -	8	8	1744022326	0	A	-	-	gz	rifiuta gentilmente l'accesso passwd 	passwd	1	passwd	5 passwd	1 -	1	1	1744022326	0	A	-	-	gz	cambia la password utente             passwd	5 -	5	5	1744022326	0	A	-	-	gz	il file delle password pwck -	8	8	1744022326	0	A	-	-	gz	verify the integrity of password files pwconv -	8	8	1744022326	0	A	-	-	gz	convertono a e da password e gruppi shadow. pwunconv -	8	8	1744022326	0	B	-	-	gz	convertono a e da password e gruppi shadow. remove-shell -	8	8	1690587995	0	A	-	-	gz	rimuove shell dall'elenco di quelle valide per il login run-parts -	8	8	1690587995	0	A	-	-	gz	esegue script o programmi in una directory rview -	1	1	1739683421	0	B	-	-	gz	VI Migliorato, un editor di testi per programmatori rvim -	1	1	1739683421	0	B	-	-	gz	VI Migliorato, un editor di testi per programmatori savelog -	8	8	1690587995	0	A	-	-	gz	salva un file di log sg -	1	1	1744022326	0	A	-	-	gz	esegue un comando con un diverso ID di gruppo shadow -	5	5	1744022326	0	A	-	-	gz	file delle password shadow sources.list -	5	5	1685023897	0	A	-	-	gz	elenco delle fonti di dati configurate per APT useradd -	8	8	1744022326	0	A	-	-	gz	crea un nuovo utente o aggiorna le informazioni predefinite per i nuovi utenti userdel -	8	8	1744022326	0	A	-	-	gz	rimuove l'account di un utente ed i file relativi usermod -	8	8	1744022326	0	A	-	-	gz	modifica l'account di un utente vi -	1	1	1739683421	0	B	-	-	gz	VI Migliorato, un editor di testi per programmatori view -	1	1	1739683421	0	B	-	-	gz	VI Migliorato, un editor di testi per programmatori vigr -	8	8	1744022326	0	B	-	-	gz	modifica i file delle password, dei gruppi, delle password shadow o dei gruppi shadow vim -	1	1	1739683421	0	A	-	-	gz	VI Migliorato, un editor di testi per programmatori vimdiff -	1	1	1739683421	0	A	-	-	gz	modifica due, tre o quattro versioni di un file con Vim, visualizzando le differenze vipw -	8	8	1744022326	0	A	-	-	gz	modifica i file delle password, dei gruppi, delle password shadow o dei gruppi shadow whatis -	1	1	1678659839	0	A	-	-	gz	mostra le descrizioni delle pagine di manuale which -	1	1	1690587995	0	B	-	-	gz	localizza un comando which.debianutils -	1	1	1690587995	0	A	-	-	gz	localizza un comando zsoelim -	1	1	1678659839	0	A	-	-	gz	soddisfa le richieste .so nell'input roff dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	aggiunge voci a debian/files nmap -	1	1	1673900619	0	A	-	-	gz	Strumento di network exploration e security / port scanner deb-old -	5	5	1683770641	0	A	-	-	gz	formato vecchio stile dei pacchetti binari Debian                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               ϚW             	          P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ?            I                                                                          P                                                                                   }HQman =         N   F<fail9      
   ]   Hmanp>            	'{Lapt-
4         P                       Esour<D      
   K                                                                                                                                               isuzgrouR:      	   1   AdpkgL8      	   ;   eclogi=         I   ֯RuserE         N                                                               n\chgp[6      
   X   Sacce0      	   h   pass@      	   6   sU$ver 0      
      -#apt-l2         h   [-kapt.4      	   :    =WuserD         k   vshadC         7   ^|remoB      
   T   zwhatH         J   X)'apt @1         :   Cgrpc;         H   ؎rvim#C         P   ~?OzsoeH         F                       ŋJapt-
2         T   QfailX9      
   >   UNvim F         P                                                                                                                                                                   ?	gpas:         C   Icm&chpa6      	   I                                           -'pass@            sdgrou;      	   M                                           @apwunA      	   H   S7dychfn
6         L                                                               <zXapt-3      	   ^   ZW.apt-73         g   zigrpu<      
   H   cinst<         C                                           mqfail;9                                                                                                                                    <%9nmap @         W                       ?newge?         A   U/rdeb-I7         N                                                                                   P|pwco{A         H   cexpi8         Q   eapro0         Y   Ulast<         f                                           ]sdpkg7         X                       f.<add-0      
   T   SRpass@      	   3                                           I3apt_5         G                                                                                                                                               IvigrIF         r                       ܨ!savexC         1                                           I
grou:      	   .                       SVchsh7         5   Nhlogi_=         :   9Ocatm]5         O                                           :
grpcu;         F   2user]E         <                                                               	Iiex  8         P                       2rvieB         P                                           ogshac<         5   A2Znolo\@         :   N*apt-1      
   E   U8apt-h4      
   N   xc	chag5         Q   run-|B      
   G   ?dpkg7         9   V3grou:      
   R   ~manp>      
   U   [viewE         P   g
whicUH         1                                           Y<sg  C         J                                           +mandE>         S   *Rmanp?      
   A   PTwhicH         1   T\vimdG         q                       G6hapt-2         ?   Nnewu?      	   C   bbpwck3A         C                                                                                   qvipwG         r                                                               #apt-~1      
   6                       Z6svi  E         P                                                                                                       $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	mostra il contenuto di una base di dati man-db in un formato comprensibile. add-shell -	8	8	1690587995	0	A	-	-	gz	aggiunge shell all'elenco di quelle valide per il login apropos -	1	1	1678659839	0	A	-	-	gz	ricerca nei nomi e nelle descrizioni delle pagine di manuale apt -	8	8	1685023897	0	A	-	-	gz	interfaccia a riga di comando apt-cache -	8	8	1685023897	0	A	-	-	gz	interroga la cache di APT apt-cdrom -	8	8	1685023897	0	A	-	-	gz	strumento APT per la gestione dei CD-ROM apt-config -	8	8	1685023897	0	A	-	-	gz	programma di interrogazione della configurazione di APT apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	utilità per estrarre configurazioni e modelli debconf dai pacchetti Debian apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	strumento per generare file indice apt-get -	8	8	1685023897	0	A	-	-	gz	strumento APT per la gestione dei pacchetti, interfaccia a riga di comando apt-mark -	8	8	1685023897	0	A	-	-	gz	mostra, imposta e deconfigura varie impostazioni per un pacchetto apt-secure -	8	8	1685023897	0	A	-	-	gz	supporto per l'autenticazione degli archivi per APT apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	utilità per ordinare i file indice dei pacchetti apt.conf -	5	5	1685023897	0	A	-	-	gz	file di configurazione di APT apt_preferences -	5	5	1685023897	0	A	-	-	gz	file di controllo delle preferenze per APT catman -	8	8	1678659839	0	A	-	-	gz	crea o aggiorna le pagine di manuale preformattate chage -	1	1	1744022326	0	A	-	-	gz	cambia le informazioni sulla scadenza della password chfn -	1	1	1744022326	0	A	-	-	gz	cambia il nome dell'utente e altre informazioni chgpasswd -	8	8	1744022326	0	A	-	-	gz	aggiorna le password di gruppo in modalità non interattiva chpasswd -	8	8	1744022326	0	A	-	-	gz	aggiorna le password in modo non interattivo chsh -	1	1	1744022326	0	A	-	-	gz	cambia la shell di login deb-old -	5	5	1683770641	0	A	-	-	gz	formato vecchio stile dei pacchetti binari Debian dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	aggiunge voci a debian/files dpkg-split -	1	1	1683770641	0	A	-	-	gz	strumento per suddividere/unire archivi di pacchetto Debian dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	file di configurazione di dpkg ex -	1	1	1739683421	0	B	-	-	gz	VI Migliorato, un editor di testi per programmatori expiry -	1	1	1744022326	0	A	-	-	gz	controlla e fa rispettare la scadenza della password faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	file di log degli accessi falliti faillog	8 -	8	8	1744022326	0	A	-	-	gz	mostra le registrazioni e imposta i limiti degli accessi falliti gpasswd -	1	1	1744022326	0	A	-	-	gz	administer /etc/group and /etc/gshadow groupadd -	8	8	1744022326	0	A	-	-	gz	crea un nuovo gruppo groupdel -	8	8	1744022326	0	A	-	-	gz	rimuove un gruppo groupmems -	8	8	1744022326	0	A	-	-	gz	membri amministratori del gruppo primario dell'utente groupmod -	8	8	1744022326	0	A	-	-	gz	modifica la definizione di un gruppo del sistema grpck -	8	8	1744022326	0	A	-	-	gz	verifica l'integrità dei file dei gruppi grpconv -	8	8	1744022326	0	B	-	-	gz	convertono a e da password e gruppi shadow. grpunconv -	8	8	1744022326	0	B	-	-	gz	convertono a e da password e gruppi shadow. gshadow -	5	5	1744022326	0	A	-	-	gz	file shadow per i gruppi installkernel -	8	8	1690587995	0	A	-	-	gz	installa una nuova immagine del kernel lastlog -	8	8	1744022326	0	A	-	-	gz	riepiloga gli accessi più recenti di tutti gli utenti o dell'utente dato login -	1	1	1744022326	0	A	-	-	gz	apre una sessione sul sistema login.defs -	5	5	1744022326	0	A	-	-	gz	configurazione del pacchetto password shadow man -	1	1	1678659839	0	A	-	t	gz	un'interfaccia ai manuali di riferimento in linea mandb -	8	8	1678659839	0	A	-	t	gz	crea o aggiorna le cache index delle pagine di manuale manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	determina il percorso di ricerca delle pagine di manuale manpath	5 -	5	5	1678659839	0	A	-	-	gz	formato del file /etc/manpath.config newgrp -	1	1	1744022326	0	A	-	-	gz	effettua l'accesso a un nuovo gruppo newusers -	8	8	1744022326	0	A	-	-	gz	aggiorna e crea nuovi utenti in blocco        nmap -	1	1	1673900619	0	A	-	-	gz	Strumento di network exploration e security / port scanner nologin -	8	8	1744022326	0	A	-	-	gz	rifiuta gentilmente l'accesso passwd 	passwd	1	passwd	5 passwd	1 -	1	1	1744022326	0	A	-	-	gz	cambia la password utente passwd	5 -	5	5	1744022326	0	A	-	-	gz	il file delle password pwck -	8	8	1744022326	0	A	-	-	gz	verify the integrity of password files pwconv -	8	8	1744022326	0	A	-	-	gz	convertono a e da password e gruppi shadow. pwunconv -	8	8	1744022326	0	B	-	-	gz	convertono a e da password e gruppi shadow. remove-shell -	8	8	1690587995	0	A	-	-	gz	rimuove shell dall'elenco di quelle valide per il login run-parts -	8	8	1690587995	0	A	-	-	gz	esegue script o programmi in una directory rview -	1	1	1739683421	0	B	-	-	gz	VI Migliorato, un editor di testi per programmatori rvim -	1	1	1739683421	0	B	-	-	gz	VI Migliorato, un editor di testi per programmatori savelog -	8	8	1690587995	0	A	-	-	gz	salva un file di log sg -	1	1	1744022326	0	A	-	-	gz	esegue un comando con un diverso ID di gruppo shadow -	5	5	1744022326	0	A	-	-	gz	file delle password shadow sources.list -	5	5	1685023897	0	A	-	-	gz	elenco delle fonti di dati configurate per APT useradd -	8	8	1744022326	0	A	-	-	gz	crea un nuovo utente o aggiorna le informazioni predefinite per i nuovi utenti userdel -	8	8	1744022326	0	A	-	-	gz	rimuove l'account di un utente ed i file relativi usermod -	8	8	1744022326	0	A	-	-	gz	modifica l'account di un utente vi -	1	1	1739683421	0	B	-	-	gz	VI Migliorato, un editor di testi per programmatori view -	1	1	1739683421	0	B	-	-	gz	VI Migliorato, un editor di testi per programmatori vigr -	8	8	1744022326	0	B	-	-	gz	modifica i file delle password, dei gruppi, delle password shadow o dei gruppi shadow vim -	1	1	1739683421	0	A	-	-	gz	VI Migliorato, un editor di testi per programmatori vimdiff -	1	1	1739683421	0	A	-	-	gz	modifica due, tre o quattro versioni di un file con Vim, visualizzando le differenze vipw -	8	8	1744022326	0	A	-	-	gz	modifica i file delle password, dei gruppi, delle password shadow o dei gruppi shadow whatis -	1	1	1678659839	0	A	-	-	gz	mostra le descrizioni delle pagine di manuale which -	1	1	1690587995	0	B	-	-	gz	localizza un comando which.debianutils -	1	1	1690587995	0	A	-	-	gz	localizza un comando zsoelim -	1	1	1678659839	0	A	-	-	gz	soddisfa le richieste .so nell'input roff                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    
      5                                                                                                                                                                             }HQman 1         I                       HmanpM3                                                                                                                                                                            m[man-=2         E                                                                                                                                                                                       Sacce0      	   h                       sU$ver 0      
      zwhatv4         G   ~?Ozsoe4         G    =Wuser4         [                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   o lexgh1         N                                                                                                                                                                                                           eapro0         Q                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   SVchsh31         0   Nhlogi1         ,   9Ocatm0         R                                                                                                                                                                                                                                                   WVmanc2         \                                                                                                                                               ~manpj3      
   R                                                                                                                                               +mand2         V   *Rmanp3      
   C                                                                                                                                                                                                                                                                                                                                                                                                                                                           $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	keluarkan isi dari sebuah basis data man-db dalam format yang mudah dibaca. apropos -	1	1	1678659839	0	A	-	-	gz	cari halaman buku panduan dari nama dan deskripsinya catman -	8	8	1678659839	0	A	-	-	gz	buat atau perbarui pre-formatted halaman buku panduan chsh -	1	1	1744022326	0	A	-	-	gz	merubah shell login lexgrog -	1	1	1678659839	0	A	-	-	gz	ambil kepala informasi dalam halaman buku panduan login -	1	1	1744022326	0	A	-	-	gz	masuk ke system man -	1	1	1678659839	0	A	-	t	gz	an interface to the system reference manuals man-recode -	1	1	1678659839	0	A	-	-	gz	convert manual pages to another encoding manconv -	1	1	1678659839	0	A	-	-	gz	mengubah halaman buku panduan dari satu pengkodean ke yang lain mandb -	8	8	1678659839	0	A	-	t	gz	buat atau perbarui indeks persediaan halaman buku panduan manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	menentukan jalur pencarian untuk halaman buku panduan manpath	5 -	5	5	1678659839	0	A	-	-	gz	format dari berkas /etc/manpath.config useradd -	8	8	1744022326	0	A	-	-	gz	Membuat user baru atau memperbarui informasi tentang user baru whatis -	1	1	1678659839	0	A	-	-	gz	menampilkan deskripsi halaman buku panduan zsoelim -	1	1	1678659839	0	A	-	-	gz	memenuhi permintaan .so dalam masukan roff                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              ϚW             	                                     g             ?                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      dpkg-checkbuilddeps -	1	1	1683770641	0	A	-	-	gz	Vérifier les dépendances et les conflits de construction dpkg-genbuildinfo -	1	1	1683770641	0	A	-	-	gz	Créer des fichiers .buildinfo Debian. dpkg-gensymbols -	1	1	1683770641	0	A	-	-	gz	Création des fichiers de symboles (information de dépendances de bibliothèques partagées) dpkg-parsechangelog -	1	1	1683770641	0	A	-	-	gz	Analyse un fichier changelog Debian. dpkg-scansources -	1	1	1683770641	0	A	-	-	gz	Crée des fichiers d'index de sources dpkg-shlibdeps -	1	1	1683770641	0	A	-	-	gz	Générateur de variables de substitution de dépendances pour bibliothèques partagées dpkg-source -	1	1	1683770641	0	A	-	-	gz	Outil de manipulation des paquets sources Debian (.dsc). deb-changelog -	5	5	1683770641	0	A	-	-	gz	Format du fichier de journal des modifications (« changelog ») des paquets source dpkg deb-conffiles -	5	5	1683770641	0	A	-	-	gz	Fichiers de configuration du paquet deb-control -	5	5	1683770641	0	A	-	-	gz	Format du fichier principal de contrôle dans les paquets binaires Debian deb-extra-override -	5	5	1683770641	0	A	-	-	gz	Fichier override supplémentaire d'une archive Debian deb-md5sums -	5	5	1683770641	0	A	-	-	gz	sommes de contrôle MD5 de fichier de paquet deb-old -	5	5	1683770641	0	A	-	-	gz	Ancien format des paquets binaires Debian deb-origin -	5	5	1683770641	0	A	-	-	gz	Fichiers d'informations propre au distributeur deb-prerm -	5	5	1683770641	0	A	-	-	gz	Script du responsable pour le pré-retrait du paquet deb-shlibs -	5	5	1683770641	0	A	-	-	gz	Fichier d'information sur les bibliothèques partagées Debian deb-src-rules -	5	5	1683770641	0	A	-	-	gz	Fichier de règles des paquets source Debian deb-symbols -	5	5	1683770641	0	A	-	-	gz	Fichier d'information sur les bibliothèques partagées étendues Debian deb-triggers -	5	5	1683770641	0	A	-	-	gz	Actions différées du paquet deb822 -	5	5	1683770641	0	A	-	-	gz	Format des données de contrôle RFC822 Debian dsc -	5	5	1683770641	0	A	-	-	gz	Format du fichier de contrôle dans les paquets source Debian          S   4.watc`         i   WfakeO            5'fakei            "mdpkg=         ?   cexpi;C         ]   eapro{1         R   FR&apt-W4         x   UlastH         {   q#lzcaaJ         R   ]sdpkgA         U   +gkernH         U   f.<add-0      
   h   SRpassiP      	   6   e ps  7Q         U   P|pwcoQ         h   I3apt_)8         L   6apt-5         o   XZseleT         }   'isensU         -   ՟rvaliH]         e   v<xz  b         R   ~;Tdebc<         X   txzcmb         ?   Ivigr[^         R   Cxzmoc         X   ܨ!saveT         ;   QFvnetsd            ACrarpf         <   I
grouEE      	   0   }zlzmoK         X   SVchshR:         I   NhlogiI         B   9Ocatm8         X   V-delu]=         L   C*
dpkg@         R   :
grpc5F         ^   GsensU         J   yq'unlzZ         R   2user]         ;   @{Mw   W`         b   	Iiex  B         M   F#Gdpkg,A         D   2rvieS         M   T}|freeZD         ]   F+xzle9c         X   ogsha{G         B   WVmancM         R   N*apt-X2      
   ?   U8apt-5      
   ?   xc	chag8         U   A2ZnoloO         ;   dpkgp@         Q   V3grou~E      
   X   G>delu=      
      ~manp N      
   Z   B~qlzleDK         X   run-S      
   W   ($apt-i6         {   Y<sg  0V         W   bypwdxFR         N   ?05syscY         I   Idelg1=      	   #   +mandqM         l   *RmanpdN      
   B   ,AstarX         B   H,skilV         Y   G6hapt-3         C   NnewuEO      	   X   bbpwckQ         C   Zkeaddu,1            & )updaZ         w   d'_lzdiJ         ?   ŷasubuX         G   [view	^         M   eHdebcj;         5   T\vimd_         u   qvipw_         R   #apt-2      
   :   P
>slab.W         ^   Z6svi  ]         M   g
whica         3   PTwhica         3   [8xzcaVb         R   ֝izlzmaK         R   !debc:         E   $version$ 2.5.0 /etc/modules -	5	5	1670630544	0	C	modules	-	gz	 accessdb -	8	8	1678659839	0	A	-	-	gz	Afficher le contenu d'une base de données man-db dans un format lisible par l'homme add-shell -	8	8	1690587995	0	A	-	-	gz	Ajouter des interpréteurs à la liste des interpréteurs initiaux valables adduser -	8	8	1685030075	0	A	-	-	gz	 adduser.conf -	5	5	1685030075	0	A	-	-	gz	 apropos -	1	1	1678659839	0	A	-	-	gz	Chercher le nom et la description des pages de manuel apt -	8	8	1685023897	0	A	-	-	gz	interface en ligne de commande apt-cache -	8	8	1685023897	0	A	-	-	gz	recherche dans le cache d'APT apt-cdrom -	8	8	1685023897	0	A	-	-	gz	Utilitaire de gestion des CD d'APT apt-config -	8	8	1685023897	0	A	-	-	gz	Programme d'interrogation de la configuration d'APT apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Outil d'extraction des textes et fichiers de configuration pour debconf contenu dans un paquet Debian apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	Outil de création de fichiers d'index apt-get -	8	8	1685023897	0	A	-	-	gz	Utilitaire APT pour la gestion des paquets -- interface en ligne de commande. apt-listchanges -	1	1	1616929604	0	A	-	-	gz	Affiche les nouvelles entrées du journal des modifications des paquets de l'archive Debian apt-mark -	8	8	1685023897	0	A	-	-	gz	affiche, définit ou redéfinit divers paramètres d'un paquet apt-secure -	8	8	1685023897	0	A	-	-	gz	Gestion de l'authentification d'archive avec APT apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	Outil de tri des index de paquets. apt-transport-http -	1	1	1685023897	0	A	-	-	gz	Transport d'APT pour téléchargement par HTTP (protocole de transfert hypertexte) apt-transport-https -	1	1	1685023897	0	A	-	-	gz	Le transport d'APT pour télécharger par HTTPS (protocole de transfert hypertexte sécurisé) apt-transport-mirror -	1	1	1685023897	0	A	-	-	gz	Transport d'APT pour une sélection plus automatique du miroir apt.conf -	5	5	1685023897	0	A	-	-	gz	Fichier de configuration pour APT apt_auth.conf -	5	5	1685023897	0	A	-	-	gz	Fichier de configuration de connexion pour les sources et les mandataires d'APT apt_preferences -	5	5	1685023897	0	A	-	-	gz	Fichier de contrôle des préférences pour APT catman -	8	8	1678659839	0	A	-	-	gz	Créer ou mettre à jour les pages de manuel préformatées chage -	1	1	1744022326	0	A	-	-	gz	Modifier les informations de validité d'un mot de passe chfn -	1	1	1744022326	0	A	-	-	gz	Modifier le nom complet et les informations associées à un utilisateur chgpasswd -	8	8	1744022326	0	A	-	-	gz	Mettre à jour par lot des mots de passe des groupes chpasswd -	8	8	1744022326	0	A	-	-	gz	Mettre à jour des mots de passe par lot chsh -	1	1	1744022326	0	A	-	-	gz	Changer l'interpréteur de commandes initial debconf -	1	1	1673214651	0	A	-	-	gz	Exécuter un programme utilisant debconf debconf-apt-progress -	1	1	1673214651	0	A	-	-	gz	installer des paquets utilisant debconf en affichant une barre d'avancement debconf-communicate -	1	1	1673214651	0	A	-	-	gz	communiquer avec debconf debconf-copydb -	1	1	1673214651	0	A	-	-	gz	copier une base de données debconf debconf-escape -	1	1	1673214651	0	A	-	-	gz	assistant pour la fonctionnalité d'échappement de debconf debconf-set-selections -	1	1	1673214651	0	A	-	-	gz	insérer de nouvelles valeurs dans la base de données de debconf debconf-show -	1	1	1673214651	0	A	-	-	gz	interroger la base de données de debconf delgroup -	8	8	1685030075	0	C	deluser	-	gz	 deluser -	8	8	1685030075	0	A	-	-	gz	Retirer un utilisateur ou un groupe du système deluser.conf -	5	5	1685030075	0	A	-	-	gz	 dpkg -	1	1	1683770641	0	A	-	-	gz	Gestionnaire de paquet pour Debian dpkg-deb -	1	1	1683770641	0	A	-	-	gz	Outil pour la manipulation des archives (.deb) des paquets Debian dpkg-divert -	1	1	1683770641	0	A	-	-	gz	Remplacer la version d'un fichier contenu dans un paquet. dpkg-fsys-usrunmess -	8	8	1683770641	0	A	-	-	gz	défait le désordre de merged-/usr-via-aliased-dirs dpkg-maintscript-helper -	1	1	1683770641	0	A	-	-	gz	Contournement des limitations connues de dpkg dans les scripts du responsable faillog 	faillog	5	faillog	8                     dpkg-preconfigure -	8	8	1673214651	0	A	-	-	gz	permet aux paquets de poser des questions avant leur installation dpkg-query -	1	1	1683770641	0	A	-	-	gz	Un outil pour interroger la base de données de dpkg dpkg-realpath -	1	1	1683770641	0	A	-	-	gz	affichage du chemin résolu avec gestion de DPKG_ROOT dpkg-reconfigure -	8	8	1673214651	0	A	-	-	gz	reconfigurer un paquet déjà installé dpkg-split -	1	1	1683770641	0	A	-	-	gz	Outil de décomposition/recomposition des paquets Debian dpkg-statoverride -	1	1	1683770641	0	A	-	-	gz	Annuler la propriété et le mode des fichiers dpkg-trigger -	1	1	1683770641	0	A	-	-	gz	Un utilitaire pour activer les actions différées de paquets dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	Fichier de configuration de dpkg ex -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs expiry -	1	1	1744022326	0	A	-	-	gz	Vérifier et sécuriser la durée de validité des mots de passe faillog	5 -	5	5	1744022326	0	A	-	-	gz	journal des échecs de connexion faillog	8 -	8	8	1744022326	0	A	-	-	gz	Examiner le fichier faillog, et configurer les limites d'échecs de connexion free -	1	1	1671429998	0	A	-	-	gz	Afficher la quantité de mémoire libre et utilisée du système gpasswd -	1	1	1744022326	0	A	-	-	gz	administer /etc/group and /etc/gshadow groupadd -	8	8	1744022326	0	A	-	-	gz	Créer un nouveau groupe groupdel -	8	8	1744022326	0	A	-	-	gz	Supprimer un groupe groupmems -	8	8	1744022326	0	A	-	-	gz	Administrer les membres du groupe primaire d'un utilisateur groupmod -	8	8	1744022326	0	A	-	-	gz	Modifier la définition d'un groupe du système grpck -	8	8	1744022326	0	A	-	-	gz	Vérifier l'intégrité des fichiers d'administration des groupes grpconv -	8	8	1744022326	0	B	-	-	gz	Convertir vers ou depuis les fichiers de mots de passe ou de groupe cachés grpunconv -	8	8	1744022326	0	B	-	-	gz	Convertir vers ou depuis les fichiers de mots de passe ou de groupe cachés gshadow -	5	5	1744022326	0	A	-	-	gz	informations cachées sur les groupes installkernel -	8	8	1690587995	0	A	-	-	gz	Installer une nouvelle image de noyau kernel-img.conf -	5	5	1652925924	0	A	-	t	gz	Fichier de configuration pour les paquets du noyau Linux kill -	1	1	1671429998	0	A	-	-	gz	Envoyer un signal à un processus lastlog -	8	8	1744022326	0	A	-	-	gz	signaler les connexions les plus récentes de tous les utilisateurs ou d'un utilisateur donné lexgrog -	1	1	1678659839	0	A	-	-	gz	Analyser l'information contenue dans l'en-tête des pages de manuel login -	1	1	1744022326	0	A	-	-	gz	Démarrer une session sur le système login.defs -	5	5	1744022326	0	A	-	-	gz	configuration de la suite des mots de passe cachés « shadow password » lzcat -	1	1	1743710139	0	B	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma lzcmp -	1	1	1743710139	0	B	-	-	gz	Comparer des fichiers compressés. lzdiff -	1	1	1743710139	0	B	-	-	gz	Comparer des fichiers compressés. lzless -	1	1	1743710139	0	B	-	-	gz	Voir le contenu des fichiers (texte) compressés xz ou lzma lzma -	1	1	1743710139	0	B	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma lzmore -	1	1	1743710139	0	B	-	-	gz	Voir le contenu des fichiers (texte) compressés xz ou lzma man -	1	1	1678659839	0	A	-	t	gz	Interface de consultation des manuels de référence du système man-recode -	1	1	1678659839	0	A	-	-	gz	Convertit des pages de manuel vers d'autres encodages manconv -	1	1	1678659839	0	A	-	-	gz	Convertir une page de manuel d'un encodage à l'autre mandb -	8	8	1678659839	0	A	-	t	gz	Créer ou mettre à jour les bases de données d'indexation des pages de manuel manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	Déterminer la liste des chemins d'accès aux pages de manuel manpath	5 -	5	5	1678659839	0	A	-	-	gz	Format du fichier /etc/manpath.config modules -	5	5	1670630544	0	A	-	-	gz	modules du noyau à charger au démarrage newgrp -	1	1	1744022326	0	A	-	-	gz	se connecter avec un nouveau groupe newusers -	8	8	1744022326	0	A	-	-	gz	Mettre à jour, ou créer de nouveaux utilisateurs par lots nologin -	8	8	1744022326	0	A	-	-	gz	refuser poliment une connexion faked 	Faked	1	faked	1 passwd 	passwd	1	passwd	5 passwd	1 -	1	1	1744022326	0	A	-	-	gz	Modifier le mot de passe d'un utilisateur passwd	5 -	5	5	1744022326	0	A	-	-	gz	fichier des mots de passe pidof -	1	1	1671429998	0	A	-	-	gz	Afficher le PID d'un programme pmap -	1	1	1671429998	0	A	-	-	gz	Afficher l'empreinte mémoire d'un processus ps -	1	1	1671429998	0	A	-	t	gz	Présenter un cliché instantané des processus en cours pwck -	8	8	1744022326	0	A	-	-	gz	verify the integrity of password files pwconv -	8	8	1744022326	0	A	-	-	gz	Convertir vers ou depuis les fichiers de mots de passe ou de groupe cachés pwdx -	1	1	1671429998	0	A	-	-	gz	Afficher le répertoire de travail d'un processus pwunconv -	8	8	1744022326	0	B	-	-	gz	Convertir vers ou depuis les fichiers de mots de passe ou de groupe cachés remove-shell -	8	8	1690587995	0	A	-	-	gz	Supprimer des interpréteurs de la liste des interpréteurs initiaux valables run-parts -	8	8	1690587995	0	A	-	-	gz	Exécuter les scripts ou les exécutables d'un répertoire rview -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs rvim -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs savelog -	8	8	1690587995	0	A	-	-	gz	Sauvegarder un fichier journal select-editor -	1	1	1673713722	0	A	-	-	gz	selectionne votre editeur sensible-editor à partir de la liste de tous les éditeurs installés sensible-browser -	1	1	1673713722	0	A	-	-	gz	navigateur web pratique sensible-editor -	1	1	1673713722	0	A	-	-	gz	edition pratique sensible-pager -	1	1	1673713722	0	A	-	-	gz	outil de mise en page (« pageur ») pratique sg -	1	1	1744022326	0	A	-	-	gz	exécuter une commande avec un autre identifiant de groupe shadow -	5	5	1744022326	0	A	-	-	gz	fichier des mots de passe cachés skill -	1	1	1671429998	0	A	-	-	gz	Envoyer un signal ou rendre compte de l'état d'un processus slabtop -	1	1	1671429998	0	A	-	t	gz	Afficher en temps réel les informations des caches slab du noyau snice -	1	1	1671429998	0	C	skill	-	gz	 sources.list -	5	5	1685023897	0	A	-	-	gz	Liste des sources de données APT configurées start-stop-daemon -	8	8	1683770641	0	A	-	-	gz	Lance ou arrête des démons système subgid -	5	5	1744022326	0	A	-	-	gz	the configuration for subordinate group ids subuid -	5	5	1744022326	0	A	-	-	gz	the configuration for subordinate user ids sysctl -	8	8	1671429998	0	A	-	-	gz	Configurer les paramètres du noyau à chaud sysctl.conf -	5	5	1671429998	0	A	-	-	gz	Fichier de configuration et de chargement pour sysctl tload -	1	1	1671429998	0	A	-	-	gz	Représentation graphique de la charge moyenne du système unlzma -	1	1	1743710139	0	B	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma unxz -	1	1	1743710139	0	B	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma update-alternatives -	1	1	1683770641	0	A	-	-	gz	Maintenance des liens symboliques déterminant les noms par défaut de certaines commandes update-passwd -	8	8	1663669371	0	A	-	-	gz	met à jour /etc/passwd, /etc/shadow et /etc/group de façon sécurisée uptime -	1	1	1671429998	0	A	-	-	gz	Indiquer depuis quand le système a été mis en route useradd -	8	8	1744022326	0	A	-	-	gz	créer un nouvel utilisateur ou modifier les informations par défaut appliquées aux nouveaux utilisateurs userdel -	8	8	1744022326	0	A	-	-	gz	supprimer un compte utilisateur et les fichiers associés usermod -	8	8	1744022326	0	A	-	-	gz	Modifier un compte utilisateur validlocale -	8	8	1741301213	0	A	-	-	gz	Vérifier si un ensemble donné de paramètres régionaux est disponible vi -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs view -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs vigr -	8	8	1744022326	0	B	-	-	gz	Éditer les fichiers passwd, group, shadow ou gshadow vim -	1	1	1739683421	0	A	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs vimdiff -	1	1	1739683421	0	A	-	-	gz	ouvre deux, trois ou quatre versions d'un fichier dans Vim et affiche leurs différences vipw -	8	8	1744022326	0	A	-	-	gz	Éditer les fichiers passwd, group, shadow ou gshadow                                          vmstat -	8	8	1671429998	0	A	-	-	gz	Afficher des statistiques sur la mémoire virtuelle w -	1	1	1671429998	0	A	-	-	gz	Afficher les utilisateurs présents sur le système et leur activité watch -	1	1	1671429998	0	A	-	-	gz	Exécuter un programme périodiquement en affichant le résultat à l'écran whatis -	1	1	1678659839	0	A	-	-	gz	Afficher une ligne de description des pages de manuel which -	1	1	1690587995	0	B	-	-	gz	Localiser une commande which.debianutils -	1	1	1690587995	0	A	-	-	gz	Localiser une commande xz -	1	1	1743710139	0	A	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma xzcat -	1	1	1743710139	0	B	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma xzcmp -	1	1	1743710139	0	B	-	-	gz	Comparer des fichiers compressés. xzdiff -	1	1	1743710139	0	A	-	-	gz	Comparer des fichiers compressés. xzless -	1	1	1743710139	0	A	-	-	gz	Voir le contenu des fichiers (texte) compressés xz ou lzma xzmore -	1	1	1743710139	0	A	-	-	gz	Voir le contenu des fichiers (texte) compressés xz ou lzma zsoelim -	1	1	1678659839	0	A	-	-	gz	Remplacer les entrées .so des fichiers « roff » par le contenu du fichier indiqué arp -	8	8	1748287643	0	A	-	-	gz	manipule la table ARP du système ifconfig -	8	8	1748287643	0	A	-	-	gz	Configurer une interface réseau. netstat -	8	8	1748287643	0	A	-	-	gz	Affiche les connexions réseau, les tables de routage, les statistiques des interfaces, les connexions masquées, les messages netlink, et les membres multicast. plipconfig -	8	8	1748287643	0	A	-	-	gz	réglage fin des paramètres du périphérique PLIP rarp -	8	8	1748287643	0	A	-	-	gz	manipule la table système RARP route -	8	8	1748287643	0	A	-	-	gz	affiche / manipule la table de routage IP slattach -	8	8	1748287643	0	A	-	-	gz	attache une interface réseau à une ligne série fakeroot -	1	1	1679131320	0	C	fakeroot-sysv	-	gz	 dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	Ajouter une entrée au fichier debian/files. sous fakeroot. faked	1 -	1	1	1679131320	0	B	-	-	gz	démon qui mémorise les permissions et propriétaires factices des fichiers manipulés par les processus sous fakeroot. Faked	1 -	1	1	1679131320	0	C	faked-sysv	-	gz	 faked-sysv -	1	1	1679131320	0	A	-	-	gz	démon qui mémorise les permissions et propriétaires factices des fichiers manipulés par les processus sous fakeroot. faked-tcp -	1	1	1679131320	0	A	-	-	gz	démon qui mémorise les permissions et propriétaires factices des fichiers manipulés par les processus sous fakeroot. fakeroot-sysv -	1	1	1679131320	0	A	-	-	gz	lance une commande dans un environnement simulant les privilèges du superutilisateur pour la manipulation des fichiers. fakeroot -	1	1	1679131320	0	B	-	-	gz	lance une commande dans un environnement simulant les privilèges du superutilisateur pour la manipulation des fichiers. fakeroot-tcp -	1	1	1679131320	0	A	-	-	gz	lance une commande dans un environnement simulant les privilèges du superutilisateur pour la manipulation des fichiers. dpkg-architecture -	1	1	1683770641	0	A	-	-	gz	Fixer et déterminer l'architecture pour la construction d'un paquet dpkg-buildflags -	1	1	1683770641	0	A	-	-	gz	Renvoie les options de compilation à utiliser pour la construction du paquet dpkg-buildpackage -	1	1	1683770641	0	A	-	-	gz	Construire depuis les sources des paquets binaires ou sources dpkg-genchanges -	1	1	1683770641	0	A	-	-	gz	Créer des fichiers « .changes ». dpkg-gencontrol -	1	1	1683770641	0	A	-	-	gz	Créer des fichiers de contrôle Debian. dpkg-mergechangelogs -	1	1	1683770641	0	A	-	-	gz	Fusion triple de fichiers debian/changelog dpkg-name -	1	1	1683770641	0	A	-	-	gz	Redonne aux paquets Debian leur nom complet dpkg-scanpackages -	1	1	1683770641	0	A	-	-	gz	Créer des fichiers d'index de paquets. dpkg-vendor -	1	1	1683770641	0	A	-	-	gz	Récupère les informations sur les éditeurs de distribution nmap -	1	1	1673900619	0	A	-	-	gz	Outil d'exploration réseau et scanneur de ports/sécurité deb-version -	7	7	1683770641	0	A	-	-	gz	Format du numéro de version des paquets Debian deb-changes -	5	5	1683770641	0	A	-	-	gz	Format des fichiers « .changes » Debian                     o      )       _      2       f            _            g            g         m   qyfakej      
      sdpkgtl         Z   0:8dpkg2m         E   M%deb-o         H   y5deb ȣ         ?   F<failC      
   j   HmanpM                                                                                                                                    ŷ<subggX         H                       Capt-6         [   m[man-L         R   GHpidoP         ;                                                               [qa0dpkgl         B                                           n\chgp9      
   Q   Sacce@0      	   q   passP      	   F   sU$ver 0      
      -#apt-2            D0debc;         @    =Wuser\                                                                        X)'apt 1         ;                       ؎rvim5T         M                                                               >'moduN         F                                           xd=dpkgn         Z                                                                                   "fakeGj      	                          ?	gpasD         C   Icm&chpa:      	   E    2dpkg @         ^                       -'pass P            sdgrouE      	   L                       *0dpkgk         a   ٱ<pmapP         I   WfakeO                                                                        O	killzH         >   ZW.apt-3         j   	(dpkg>         V   ,D;apt_7         l   cinstG         B   tdebci<         ^   =dpkg>         Q   mqfail?            Y42/etc0      
   #   hz'snicW         !   
unxzhZ         R   5'fakei            o lexg@I         `   (dpkgm         G   +i"dpkgA         K   ?newgN         @   4.watc`         i   <%9nmapn         X   w?deb-No         L                                           v<xz  b         R                       FR&apt-W4         x   q#lzcaaJ         R   e ps  7Q         U   Cxzmoc         X                                           f.<add-0      
   h                                                               I3apt_)8         L   6apt-5         o   e<7dpkg5n         D   deb-ڡ      
   V                       1deb-x         V                       m-%slatf      	   N                                           ܨ!saveT         ;   ethe         M                       I
grouEE      	   0                       Qdpkgk         j                       'fakeg            V-delu]=         L   C*
dpkg@         R   :
grpc5F         ^   yq'unlzZ         R   2user]         ;   F+xzle9c         X   "deb-:         d                                           2rvieS         M   a+7deb-          Y   t)deb-         F   g
whica         3   A2ZnoloO         ;   N*apt-X2      
   ?   U8apt-5      
   ?   xc	chag8         U   run-S      
   W   3arp qd         >   dpkgp@         Q   V3grou~E      
   X   G>delu=      
      ~manp N      
   Z   ?05syscY         I   ($apt-i6         {   Y<sg  0V         W   ?dpkg1g         I   +dpkgm      
   H   +mandqM         l   ydeb-g      
   B   ,AstarX         B   PTwhica         3   H,skilV         Y   [8xzcaVb         R   NnewuEO      	   X   s-deb-         a   & )updaZ         w   e deb-s         G                                                                                                                           #apt-2      
   :   P
>slab.W         ^   K deb-      
   W   Hdeb-         S                                                               !debc:         E                '                                                                                       g   c<Gdpkg           W                                           YtloaY         W   }HQman YL         ]   ]vadduQ1      
      b[dpkgM?         j   	'{Lapt-C5         M   VWupdaJ[         e   EsourW      
   K   Nedebc<      
   F   6_dpkgk          C   '`deb8J'         K                                                                                   isuzgrouE      	   5   AdpkgB      	   =   eclogiI         f   ֯Ruser\         V                                           k#Zdpkg          z   {vddeb-#         f                                           zwhat*a         R   EPdeb-\#         @   [-kapt.h7      	   >   ~?Ozsoec         r   vshadV         >   ^|remo
S      
   j   q^lzcmJ         ?   CgrpcF         h                       fhvmst `         P                                           ŋJapt-2         P   QfailC      
   =   UNvim ^         M                                           htxzdib         ?                                                                                                       jDoplipe         P                                           vdeb-;&         I                                           pdpkg>      	   ^                       :-Zdebc:         h   S7dychfn?9         e   @apwunR      	   h   =Edeb-$         I   EsyscTY         R   <zXapt-4      	   [   zigrpu	G      
   h   _Sdeb-&         e                                                                                                                                                                                       wVupti[         S   xVdpkg!         B                       :gdpkg>B      
   Z   r^dpkgJ!         A   'Pdpkgv"         U   U/rdeb-$         F   zdeb-$         R                       "mdpkg=         ?   cexpi;C         ]   eapro{1         R   UlastH         {   P|pwcoQ         h   'isensU         -   ]sdpkgA         U   +gkernH         U   SRpassiP      	   6   ՟rvaliH]         e   txzcmb         ?   QFvnetsd            XZseleT         }   ACrarpf         <   [Ddeb-"         w   jdsc '         Z                       ]
grout\f         F   ~;Tdebc<         X                       Ivigr[^         R                                                                                                       }zlzmoK         X   SVchshR:         I   NhlogiI         B   9Ocatm8         X   GsensU         J                                                                                   Kdfakei      
      @{Mw   W`         b   	Iiex  B         M   F#Gdpkg,A         D   }2Nifcod      	   >   T}|freeZD         ]                       ogsha{G         B   WVmancM         R                                           lN[deb-%         [                                           ctdeb-z%      
   Q   [view	^         M   ;Ldeb-$%         K   B~qlzleDK         X                                                               bypwdxFR         N                       Idelg1=      	   #   *RmanpdN      
   B                       T\vimd_         u                       G6hapt-3         C   bbpwckQ         C   IZ
gFake7h         &   W{fakeeh            Zkeaddu,1            d'_lzdiJ         ?   ŷasubuX         G   qvipw_         R   eHdebcj;         5   꽛fdeb-'      
   :                                                               Z6svi  ]         M   [chdpkg!         u                                           ֝izlzmaK         R   @>msensUU         4                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   deb-buildinfo -	5	5	1683770641	0	A	-	-	gz	Format des fichiers d'informations de construction de Debian deb-override -	5	5	1683770641	0	A	-	-	gz	Fichier override d'une archive Debian deb-postinst -	5	5	1683770641	0	A	-	-	gz	Script du responsable pour la fin d'installation du paquet deb-postrm -	5	5	1683770641	0	A	-	-	gz	Script du responsable pour la fin du retrait du paquet deb-preinst -	5	5	1683770641	0	A	-	-	gz	Script du responsable pour la pré-installation du paquet deb-split -	5	5	1683770641	0	A	-	-	gz	Formatage de paquets binaires Debian en plusieurs parties deb-src-control -	5	5	1683770641	0	A	-	-	gz	Format du fichier principal de contrôle dans les paquets source Debian deb-src-files -	5	5	1683770641	0	A	-	-	gz	Format des fichiers distribués de Debian deb-src-symbols -	5	5	1683770641	0	A	-	-	gz	Fichier de modèle des bibliothèques partagées étendues de Debian deb-substvars -	5	5	1683770641	0	A	-	-	gz	Variables de substitution de source Debian deb -	5	5	1683770641	0	A	-	-	gz	Format des paquets binaires Debian ethers -	5	5	1748287643	0	A	-	-	gz	Base de données adresses Ethernet - adresses IP                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  ϚW             	                              	       _                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      select-editor -	1	1	1673713722	0	A	-	-	gz	selectionne votre editeur sensible-editor à partir de la liste de tous les éditeurs installés sensible-browser -	1	1	1673713722	0	A	-	-	gz	navigateur web pratique sensible-editor -	1	1	1673713722	0	A	-	-	gz	edition pratique sensible-pager -	1	1	1673713722	0	A	-	-	gz	outil de mise en page (« pageur ») pratique shadow -	5	5	1744022326	0	A	-	-	gz	fichier des mots de passe cachés sources.list -	5	5	1685023897	0	A	-	-	gz	Liste des sources de données APT configurées subuid -	5	5	1744022326	0	A	-	-	gz	the configuration for subordinate user ids sysctl.conf -	5	5	1671429998	0	A	-	-	gz	Fichier de configuration et de chargement pour sysctl tload -	1	1	1671429998	0	A	-	-	gz	Représentation graphique de la charge moyenne du système update-passwd -	8	8	1663669371	0	A	-	-	gz	met à jour /etc/passwd, /etc/shadow et /etc/group de façon sécurisée uptime -	1	1	1671429998	0	A	-	-	gz	Indiquer depuis quand le système a été mis en route userdel -	8	8	1744022326	0	A	-	-	gz	supprimer un compte utilisateur et les fichiers associés validlocale -	8	8	1741301213	0	A	-	-	gz	Vérifier si un ensemble donné de paramètres régionaux est disponible vi -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs view -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs vigr -	8	8	1744022326	0	B	-	-	gz	Éditer les fichiers passwd, group, shadow ou gshadow vim -	1	1	1739683421	0	A	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs vimdiff -	1	1	1739683421	0	A	-	-	gz	ouvre deux, trois ou quatre versions d'un fichier dans Vim et affiche leurs différences vipw -	8	8	1744022326	0	A	-	-	gz	Éditer les fichiers passwd, group, shadow ou gshadow vmstat -	8	8	1671429998	0	A	-	-	gz	Afficher des statistiques sur la mémoire virtuelle w -	1	1	1671429998	0	A	-	-	gz	Afficher les utilisateurs présents sur le système et leur activité whatis -	1	1	1678659839	0	A	-	-	gz	Afficher une ligne de description des pages de manuel xzcmp -	1	1	1743710139	0	B	-	-	gz	Comparer des fichiers compressés. xzdiff -	1	1	1743710139	0	A	-	-	gz	Comparer des fichiers compressés. zsoelim -	1	1	1678659839	0	A	-	-	gz	Remplacer les entrées .so des fichiers « roff » par le contenu du fichier indiqué  ]sdpkgQ         U   jdsc ^S         Z   f.<add-0      
   h   +gkernt]         U   o lexg^         `   [Ddeb-;         w   I3apt_W8         L   6apt-6         o   deb-#A      
   V   e<7dpkg P         D   q#lzca `         R   1deb- @         V   ~;Tdebc,F         X   QFvnetsd            ?newgFe         @   <%9nmape         X   SRpassf      	   6   etheS         M   ٱ<pmapg         I   I
grou]Z      	   0   }zlzmoa         X   SVchsh:         I   QdpkgH         j   9Ocatm8         X   "deb-A         d   V-delu[G         L   C*
dpkg@O         R   'fakeU            :
grpcM[         ^   KdfakeV      
      Nhlogi_         B   	Iiex  T         M   F#GdpkgO         D   a+7deb-S;         Y   T}|freerY         ]   t)deb-A         F   ogsha\         B   }2Nifco\      	   >   N*apt-2      
   ?   U8apt-5      
   ?   xc	chagT9         U   lN[deb-@         [   3arp 8         >   ctdeb-b@      
   Q   ;Ldeb-[>         K   G>deluG      
      ?dpkgHJ         I   s-deb-B         a   ($apt-6         {   +dpkgM      
   H   ydeb->      
   B   dpkgN         Q   Idelg?      	   #   V3grouZ      
   X   B~qlzle`         X   WVmancb         R   +mandc         l   G6hapt-3         C   꽛fdeb-C      
   :   IZ
gFake@0         &   ZkeadduZ1            e deb-C         G   W{fakePV            d'_lzdi`         ?   ~manpc      
   Z   eHdebcE         5   *Rmanpc      
   B   Nnewue      	   X   #apt-B2      
   :   K deb- ?      
   W   Hdeb-d?         S   [chdpkgP         u   A2ZnoloKf         ;   e ps  h         U   ֝izlzmaBa         R   y5deb ;         ?   $version$ 2.5.0 /etc/modules -	5	5	1670630544	0	C	modules	-	gz	 Faked	1 -	1	1	1679131320	0	C	faked-sysv	-	gz	 accessdb -	8	8	1678659839	0	A	-	-	gz	Afficher le contenu d'une base de données man-db dans un format lisible par l'homme add-shell -	8	8	1690587995	0	A	-	-	gz	Ajouter des interpréteurs à la liste des interpréteurs initiaux valables adduser -	8	8	1685030075	0	A	-	-	gz	 adduser.conf -	5	5	1685030075	0	A	-	-	gz	 apropos -	1	1	1678659839	0	A	-	-	gz	Chercher le nom et la description des pages de manuel apt -	8	8	1685023897	0	A	-	-	gz	interface en ligne de commande apt-cache -	8	8	1685023897	0	A	-	-	gz	recherche dans le cache d'APT apt-cdrom -	8	8	1685023897	0	A	-	-	gz	Utilitaire de gestion des CD d'APT apt-config -	8	8	1685023897	0	A	-	-	gz	Programme d'interrogation de la configuration d'APT apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Outil d'extraction des textes et fichiers de configuration pour debconf contenu dans un paquet Debian apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	Outil de création de fichiers d'index apt-get -	8	8	1685023897	0	A	-	-	gz	Utilitaire APT pour la gestion des paquets -- interface en ligne de commande. apt-listchanges -	1	1	1616929604	0	A	-	-	gz	Affiche les nouvelles entrées du journal des modifications des paquets de l'archive Debian apt-mark -	8	8	1685023897	0	A	-	-	gz	affiche, définit ou redéfinit divers paramètres d'un paquet apt-secure -	8	8	1685023897	0	A	-	-	gz	Gestion de l'authentification d'archive avec APT apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	Outil de tri des index de paquets. apt-transport-http -	1	1	1685023897	0	A	-	-	gz	Transport d'APT pour téléchargement par HTTP (protocole de transfert hypertexte) apt-transport-https -	1	1	1685023897	0	A	-	-	gz	Le transport d'APT pour télécharger par HTTPS (protocole de transfert hypertexte sécurisé) apt-transport-mirror -	1	1	1685023897	0	A	-	-	gz	Transport d'APT pour une sélection plus automatique du miroir apt.conf -	5	5	1685023897	0	A	-	-	gz	Fichier de configuration pour APT apt_auth.conf -	5	5	1685023897	0	A	-	-	gz	Fichier de configuration de connexion pour les sources et les mandataires d'APT apt_preferences -	5	5	1685023897	0	A	-	-	gz	Fichier de contrôle des préférences pour APT arp -	8	8	1748287643	0	A	-	-	gz	manipule la table ARP du système catman -	8	8	1678659839	0	A	-	-	gz	Créer ou mettre à jour les pages de manuel préformatées chage -	1	1	1744022326	0	A	-	-	gz	Modifier les informations de validité d'un mot de passe chfn -	1	1	1744022326	0	A	-	-	gz	Modifier le nom complet et les informations associées à un utilisateur chgpasswd -	8	8	1744022326	0	A	-	-	gz	Mettre à jour par lot des mots de passe des groupes chpasswd -	8	8	1744022326	0	A	-	-	gz	Mettre à jour des mots de passe par lot chsh -	1	1	1744022326	0	A	-	-	gz	Changer l'interpréteur de commandes initial deb -	5	5	1683770641	0	A	-	-	gz	Format des paquets binaires Debian deb-buildinfo -	5	5	1683770641	0	A	-	-	gz	Format des fichiers d'informations de construction de Debian deb-changelog -	5	5	1683770641	0	A	-	-	gz	Format du fichier de journal des modifications (« changelog ») des paquets source dpkg deb-changes -	5	5	1683770641	0	A	-	-	gz	Format des fichiers « .changes » Debian deb-conffiles -	5	5	1683770641	0	A	-	-	gz	Fichiers de configuration du paquet deb-control -	5	5	1683770641	0	A	-	-	gz	Format du fichier principal de contrôle dans les paquets binaires Debian deb-extra-override -	5	5	1683770641	0	A	-	-	gz	Fichier override supplémentaire d'une archive Debian deb-md5sums -	5	5	1683770641	0	A	-	-	gz	sommes de contrôle MD5 de fichier de paquet deb-old -	5	5	1683770641	0	A	-	-	gz	Ancien format des paquets binaires Debian deb-origin -	5	5	1683770641	0	A	-	-	gz	Fichiers d'informations propre au distributeur deb-override -	5	5	1683770641	0	A	-	-	gz	Fichier override d'une archive Debian deb-postinst -	5	5	1683770641	0	A	-	-	gz	Script du responsable pour la fin d'installation du paquet deb-postrm -	5	5	1683770641	0	A	-	-	gz	Script du responsable pour la fin du retrait du paquet delgroup -	8	8	1685030075	0	C	deluser	-	gz	                   deb-preinst -	5	5	1683770641	0	A	-	-	gz	Script du responsable pour la pré-installation du paquet deb-prerm -	5	5	1683770641	0	A	-	-	gz	Script du responsable pour le pré-retrait du paquet deb-shlibs -	5	5	1683770641	0	A	-	-	gz	Fichier d'information sur les bibliothèques partagées Debian deb-split -	5	5	1683770641	0	A	-	-	gz	Formatage de paquets binaires Debian en plusieurs parties deb-src-control -	5	5	1683770641	0	A	-	-	gz	Format du fichier principal de contrôle dans les paquets source Debian deb-src-files -	5	5	1683770641	0	A	-	-	gz	Format des fichiers distribués de Debian deb-src-rules -	5	5	1683770641	0	A	-	-	gz	Fichier de règles des paquets source Debian deb-src-symbols -	5	5	1683770641	0	A	-	-	gz	Fichier de modèle des bibliothèques partagées étendues de Debian deb-substvars -	5	5	1683770641	0	A	-	-	gz	Variables de substitution de source Debian deb-symbols -	5	5	1683770641	0	A	-	-	gz	Fichier d'information sur les bibliothèques partagées étendues Debian deb-triggers -	5	5	1683770641	0	A	-	-	gz	Actions différées du paquet deb-version -	7	7	1683770641	0	A	-	-	gz	Format du numéro de version des paquets Debian deb822 -	5	5	1683770641	0	A	-	-	gz	Format des données de contrôle RFC822 Debian debconf -	1	1	1673214651	0	A	-	-	gz	Exécuter un programme utilisant debconf debconf-apt-progress -	1	1	1673214651	0	A	-	-	gz	installer des paquets utilisant debconf en affichant une barre d'avancement debconf-communicate -	1	1	1673214651	0	A	-	-	gz	communiquer avec debconf debconf-copydb -	1	1	1673214651	0	A	-	-	gz	copier une base de données debconf debconf-escape -	1	1	1673214651	0	A	-	-	gz	assistant pour la fonctionnalité d'échappement de debconf debconf-set-selections -	1	1	1673214651	0	A	-	-	gz	insérer de nouvelles valeurs dans la base de données de debconf debconf-show -	1	1	1673214651	0	A	-	-	gz	interroger la base de données de debconf deluser -	8	8	1685030075	0	A	-	-	gz	Retirer un utilisateur ou un groupe du système deluser.conf -	5	5	1685030075	0	A	-	-	gz	 dpkg -	1	1	1683770641	0	A	-	-	gz	Gestionnaire de paquet pour Debian dpkg-architecture -	1	1	1683770641	0	A	-	-	gz	Fixer et déterminer l'architecture pour la construction d'un paquet dpkg-buildflags -	1	1	1683770641	0	A	-	-	gz	Renvoie les options de compilation à utiliser pour la construction du paquet dpkg-buildpackage -	1	1	1683770641	0	A	-	-	gz	Construire depuis les sources des paquets binaires ou sources dpkg-checkbuilddeps -	1	1	1683770641	0	A	-	-	gz	Vérifier les dépendances et les conflits de construction dpkg-deb -	1	1	1683770641	0	A	-	-	gz	Outil pour la manipulation des archives (.deb) des paquets Debian dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	Ajouter une entrée au fichier debian/files. dpkg-divert -	1	1	1683770641	0	A	-	-	gz	Remplacer la version d'un fichier contenu dans un paquet. dpkg-fsys-usrunmess -	8	8	1683770641	0	A	-	-	gz	défait le désordre de merged-/usr-via-aliased-dirs dpkg-genbuildinfo -	1	1	1683770641	0	A	-	-	gz	Créer des fichiers .buildinfo Debian. dpkg-genchanges -	1	1	1683770641	0	A	-	-	gz	Créer des fichiers « .changes ». dpkg-gencontrol -	1	1	1683770641	0	A	-	-	gz	Créer des fichiers de contrôle Debian. dpkg-gensymbols -	1	1	1683770641	0	A	-	-	gz	Création des fichiers de symboles (information de dépendances de bibliothèques partagées) dpkg-maintscript-helper -	1	1	1683770641	0	A	-	-	gz	Contournement des limitations connues de dpkg dans les scripts du responsable dpkg-mergechangelogs -	1	1	1683770641	0	A	-	-	gz	Fusion triple de fichiers debian/changelog dpkg-name -	1	1	1683770641	0	A	-	-	gz	Redonne aux paquets Debian leur nom complet dpkg-parsechangelog -	1	1	1683770641	0	A	-	-	gz	Analyse un fichier changelog Debian. dpkg-preconfigure -	8	8	1673214651	0	A	-	-	gz	permet aux paquets de poser des questions avant leur installation dpkg-query -	1	1	1683770641	0	A	-	-	gz	Un outil pour interroger la base de données de dpkg dpkg-realpath -	1	1	1683770641	0	A	-	-	gz	affichage du chemin résolu avec gestion de DPKG_ROOT dpkg-reconfigure -	8	8	1673214651	0	A	-	-	gz	reconfigurer un paquet déjà installé            dpkg-scanpackages -	1	1	1683770641	0	A	-	-	gz	Créer des fichiers d'index de paquets. dpkg-scansources -	1	1	1683770641	0	A	-	-	gz	Crée des fichiers d'index de sources dpkg-shlibdeps -	1	1	1683770641	0	A	-	-	gz	Générateur de variables de substitution de dépendances pour bibliothèques partagées dpkg-source -	1	1	1683770641	0	A	-	-	gz	Outil de manipulation des paquets sources Debian (.dsc). dpkg-split -	1	1	1683770641	0	A	-	-	gz	Outil de décomposition/recomposition des paquets Debian dpkg-statoverride -	1	1	1683770641	0	A	-	-	gz	Annuler la propriété et le mode des fichiers dpkg-trigger -	1	1	1683770641	0	A	-	-	gz	Un utilitaire pour activer les actions différées de paquets dpkg-vendor -	1	1	1683770641	0	A	-	-	gz	Récupère les informations sur les éditeurs de distribution dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	Fichier de configuration de dpkg dsc -	5	5	1683770641	0	A	-	-	gz	Format du fichier de contrôle dans les paquets source Debian ethers -	5	5	1748287643	0	A	-	-	gz	Base de données adresses Ethernet - adresses IP ex -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs expiry -	1	1	1744022326	0	A	-	-	gz	Vérifier et sécuriser la durée de validité des mots de passe faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	journal des échecs de connexion faillog	8 -	8	8	1744022326	0	A	-	-	gz	Examiner le fichier faillog, et configurer les limites d'échecs de connexion faked 	Faked	1	faked	1 faked	1 -	1	1	1679131320	0	B	-	-	gz	démon qui mémorise les permissions et propriétaires factices des fichiers manipulés par les processus sous fakeroot. faked-sysv -	1	1	1679131320	0	A	-	-	gz	démon qui mémorise les permissions et propriétaires factices des fichiers manipulés par les processus sous fakeroot. faked-tcp -	1	1	1679131320	0	A	-	-	gz	démon qui mémorise les permissions et propriétaires factices des fichiers manipulés par les processus sous fakeroot. fakeroot -	1	1	1679131320	0	B	-	-	gz	lance une commande dans un environnement simulant les privilèges du superutilisateur pour la manipulation des fichiers. fakeroot-sysv -	1	1	1679131320	0	A	-	-	gz	lance une commande dans un environnement simulant les privilèges du superutilisateur pour la manipulation des fichiers. fakeroot-tcp -	1	1	1679131320	0	A	-	-	gz	lance une commande dans un environnement simulant les privilèges du superutilisateur pour la manipulation des fichiers. free -	1	1	1671429998	0	A	-	-	gz	Afficher la quantité de mémoire libre et utilisée du système gpasswd -	1	1	1744022326	0	A	-	-	gz	administer /etc/group and /etc/gshadow groupadd -	8	8	1744022326	0	A	-	-	gz	Créer un nouveau groupe groupdel -	8	8	1744022326	0	A	-	-	gz	Supprimer un groupe groupmems -	8	8	1744022326	0	A	-	-	gz	Administrer les membres du groupe primaire d'un utilisateur groupmod -	8	8	1744022326	0	A	-	-	gz	Modifier la définition d'un groupe du système grpck -	8	8	1744022326	0	A	-	-	gz	Vérifier l'intégrité des fichiers d'administration des groupes grpconv -	8	8	1744022326	0	B	-	-	gz	Convertir vers ou depuis les fichiers de mots de passe ou de groupe cachés grpunconv -	8	8	1744022326	0	B	-	-	gz	Convertir vers ou depuis les fichiers de mots de passe ou de groupe cachés gshadow -	5	5	1744022326	0	A	-	-	gz	informations cachées sur les groupes ifconfig -	8	8	1748287643	0	A	-	-	gz	Configurer une interface réseau. installkernel -	8	8	1690587995	0	A	-	-	gz	Installer une nouvelle image de noyau kernel-img.conf -	5	5	1652925924	0	A	-	t	gz	Fichier de configuration pour les paquets du noyau Linux kill -	1	1	1671429998	0	A	-	-	gz	Envoyer un signal à un processus lastlog -	8	8	1744022326	0	A	-	-	gz	signaler les connexions les plus récentes de tous les utilisateurs ou d'un utilisateur donné lexgrog -	1	1	1678659839	0	A	-	-	gz	Analyser l'information contenue dans l'en-tête des pages de manuel login -	1	1	1744022326	0	A	-	-	gz	Démarrer une session sur le système login.defs -	5	5	1744022326	0	A	-	-	gz	configuration de la suite des mots de passe cachés « shadow password » manpath 	manpath	1	manpath	5 passwd 	passwd	1	passwd	5          lzcat -	1	1	1743710139	0	B	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma lzcmp -	1	1	1743710139	0	B	-	-	gz	Comparer des fichiers compressés. lzdiff -	1	1	1743710139	0	B	-	-	gz	Comparer des fichiers compressés. lzless -	1	1	1743710139	0	B	-	-	gz	Voir le contenu des fichiers (texte) compressés xz ou lzma lzma -	1	1	1743710139	0	B	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma lzmore -	1	1	1743710139	0	B	-	-	gz	Voir le contenu des fichiers (texte) compressés xz ou lzma man -	1	1	1678659839	0	A	-	t	gz	Interface de consultation des manuels de référence du système man-recode -	1	1	1678659839	0	A	-	-	gz	Convertit des pages de manuel vers d'autres encodages manconv -	1	1	1678659839	0	A	-	-	gz	Convertir une page de manuel d'un encodage à l'autre mandb -	8	8	1678659839	0	A	-	t	gz	Créer ou mettre à jour les bases de données d'indexation des pages de manuel manpath	1 -	1	1	1678659839	0	A	-	-	gz	Déterminer la liste des chemins d'accès aux pages de manuel manpath	5 -	5	5	1678659839	0	A	-	-	gz	Format du fichier /etc/manpath.config modules -	5	5	1670630544	0	A	-	-	gz	modules du noyau à charger au démarrage netstat -	8	8	1748287643	0	A	-	-	gz	Affiche les connexions réseau, les tables de routage, les statistiques des interfaces, les connexions masquées, les messages netlink, et les membres multicast. newgrp -	1	1	1744022326	0	A	-	-	gz	se connecter avec un nouveau groupe newusers -	8	8	1744022326	0	A	-	-	gz	Mettre à jour, ou créer de nouveaux utilisateurs par lots nmap -	1	1	1673900619	0	A	-	-	gz	Outil d'exploration réseau et scanneur de ports/sécurité nologin -	8	8	1744022326	0	A	-	-	gz	refuser poliment une connexion passwd	1 -	1	1	1744022326	0	A	-	-	gz	Modifier le mot de passe d'un utilisateur passwd	5 -	5	5	1744022326	0	A	-	-	gz	fichier des mots de passe pidof -	1	1	1671429998	0	A	-	-	gz	Afficher le PID d'un programme plipconfig -	8	8	1748287643	0	A	-	-	gz	réglage fin des paramètres du périphérique PLIP pmap -	1	1	1671429998	0	A	-	-	gz	Afficher l'empreinte mémoire d'un processus ps -	1	1	1671429998	0	A	-	t	gz	Présenter un cliché instantané des processus en cours pwck -	8	8	1744022326	0	A	-	-	gz	verify the integrity of password files pwconv -	8	8	1744022326	0	A	-	-	gz	Convertir vers ou depuis les fichiers de mots de passe ou de groupe cachés pwdx -	1	1	1671429998	0	A	-	-	gz	Afficher le répertoire de travail d'un processus pwunconv -	8	8	1744022326	0	B	-	-	gz	Convertir vers ou depuis les fichiers de mots de passe ou de groupe cachés rarp -	8	8	1748287643	0	A	-	-	gz	manipule la table système RARP remove-shell -	8	8	1690587995	0	A	-	-	gz	Supprimer des interpréteurs de la liste des interpréteurs initiaux valables route -	8	8	1748287643	0	A	-	-	gz	affiche / manipule la table de routage IP run-parts -	8	8	1690587995	0	A	-	-	gz	Exécuter les scripts ou les exécutables d'un répertoire rview -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs rvim -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, éditeur de texte pour programmeurs savelog -	8	8	1690587995	0	A	-	-	gz	Sauvegarder un fichier journal sg -	1	1	1744022326	0	A	-	-	gz	exécuter une commande avec un autre identifiant de groupe skill -	1	1	1671429998	0	A	-	-	gz	Envoyer un signal ou rendre compte de l'état d'un processus slabtop -	1	1	1671429998	0	A	-	t	gz	Afficher en temps réel les informations des caches slab du noyau slattach -	8	8	1748287643	0	A	-	-	gz	attache une interface réseau à une ligne série snice -	1	1	1671429998	0	C	skill	-	gz	 start-stop-daemon -	8	8	1683770641	0	A	-	-	gz	Lance ou arrête des démons système subgid -	5	5	1744022326	0	A	-	-	gz	the configuration for subordinate group ids sysctl -	8	8	1671429998	0	A	-	-	gz	Configurer les paramètres du noyau à chaud unlzma -	1	1	1743710139	0	B	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma unxz -	1	1	1743710139	0	B	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma update-alternatives -	1	1	1683770641	0	A	-	-	gz	Maintenance des liens symboliques déterminant les noms par défaut de certaines commandes                              O             o             ?            +      p                               m   0:8dpkgL         E   sdpkg
I         Z   qyfakeX      
      M%deb-?<         H   y5deb ;         ?   F<fail(U      
   j   Hmanp_                                                                                                                                    ŷ<subgn         H                       Capt-&7         [   m[man-Yb         R   GHpidog         ;                                                               [qa0dpkgK         B                                           n\chgp:      
   Q   Saccen0      	   q   passf      	   F   sU$ver 0      
      -#apt-*3            D0debcE         @    =Wuser                                                                         X)'apt 2         ;                       ؎rvimk         M                                                               >'modu2d         F                                           xd=dpkgR         Z                                                                                   "fakeW      	                          ?	gpasY         C   Icm&chpat:      	   E    2dpkgtN         ^                       -'pass_            sdgrouZ      	   L                       *0dpkgH         a   ٱ<pmapg         I   WfakeU                                                                        O	kill]         >   ZW.apt-4         j   	(dpkgJ         V   ,D;apt_7         l   w?deb- D         L   tdebcF         ^   =dpkgK         Q   (dpkgqM         G   Y42/etc0      
   #   mqfailT            5'fake-X            cinst$]         B   o lexg^         `   <%9nmape         X   +i"dpkgQ         K   ?newgFe         @   hz'snicm         !   
unxzo         R   4.watcӠ         i                                           v<xz           R                       FR&apt-4         x   q#lzca `         R   e ps  h         U   Cxzmo̢         X                                           f.<add-0      
   h                                                               I3apt_W8         L   6apt-6         o   deb-#A      
   V   e<7dpkg P         D                       1deb- @         V                       m-%slatEm      	   N                                           ܨ!savek         ;   etheS         M                       I
grou]Z      	   0                       QdpkgH         j                       "deb-A         d   V-delu[G         L   C*
dpkg@O         R   'fakeU            :
grpcM[         ^   yq'unlzn         R   2user         ;   F+xzlem         X                                           2rvie>k         M   a+7deb-S;         Y   t)deb-A         F   g
whicB         3   run-j      
   W   N*apt-2      
   ?   U8apt-5      
   ?   xc	chagT9         U   +dpkgM      
   H   3arp 8         >   ?dpkgHJ         I   G>deluG      
      dpkgN         Q   V3grouZ      
   X   s-deb-B         a   ($apt-6         {   ~manpc      
   Z   ydeb->      
   B   A2ZnoloKf         ;   +mandc         l   Y<sg  &l         W   ,Astarm         B   ?05syscfn         I   H,skill         Y   PTwhic{         3   Nnewue      	   X   [8xzca         R   & )updafo         w   e deb-C         G                                                                                                                           #apt-B2      
   :   K deb- ?      
   W   Hdeb-d?         S   P
>slabl         ^                                                               !debcD         E          !      (                                                                                       g   @>msens          4                                           Ytloa"         W   }HQman a         ]   ]vaddu1      
      b[dpkgL         j   	'{Lapt-q5         M   6_dpkgiK         C   Esour!      
   K   '`deb8xD         K   NedebcG      
   F   VWupda#         e                                                                                   isuzgrouZ      	   5   AdpkgS      	   =   eclogiO_         f   ֯Ruser#         V                                           {vddeb-<         f   k#ZdpkgeL         z                                           EPdeb-<         @   zwhat'         R   [-kapt.7      	   >   ~?Ozsoee(         r   vshadf!         >   ^|remoj      
   j   q^lzcmX`         ?   Cgrpc[         h                       fhvmst&         P                                           ŋJapt-2         P   QfailT      
   =   UNvim %         M                                           htxzdi(         ?                                                                                                       jDoplip]g         P                                           vdeb-KB         I                                           pdpkgI      	   ^                       @apwunhi      	   h   :-ZdebcE         h   S7dychfn9         e   =Edeb-=         I   EsyscQ"         R   <zXapt-
5      	   [   _Sdeb-hC         e   zigrpu!\      
   h                                                                                                                                                                                       wVupti#         S   xVdpkgVP         B                       :gdpkgKR      
   Z   U/rdeb-
>         F   r^dpkgN         A   'Pdpkg-Q         U   zdeb-S=         R                       P|pwcoh         h   "mdpkgG         ?   ACrarpi         <   cexpi`T         ]   eapro1         R   Ulast^         {   ]sdpkgQ         U   jdsc ^S         Z   +gkernt]         U   QFvnetsd            SRpassf      	   6   [Ddeb-;         w   XZsele           }   'isens          -   ՟rvali7$         e   txzcm'         ?                       ]
groutj         F   ~;Tdebc,F         X                       IvigrJ%         R                                                                                                       }zlzmoa         X   SVchsh:         I   Nhlogi_         B   9Ocatm8         X   Gsens
!         J                                                                                   KdfakeV      
      @{Mw   '         b   	Iiex  T         M   F#GdpkgO         D   }2Nifco\      	   >   T}|freerY         ]                       ogsha\         B   WVmancb         R                                           lN[deb-@         [                                           ctdeb-b@      
   Q   ;Ldeb-[>         K   [view$         M   B~qlzle`         X                                                               bypwdxi         N                       Idelg?      	   #   *Rmanpc      
   B                       T\vimd%         u                       G6hapt-3         C   bbpwck^h         C   꽛fdeb-C      
   :   IZ
gFake@0         &   ZkeadduZ1            W{fakePV            d'_lzdi`         ?   ŷasubu"         G   eHdebcE         5   qvipwo&         R                                                               [chdpkgP         u   Z6svi  $         M                                           ֝izlzmaBa         R   c<GdpkgvI         W                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   useradd -	8	8	1744022326	0	A	-	-	gz	créer un nouvel utilisateur ou modifier les informations par défaut appliquées aux nouveaux utilisateurs usermod -	8	8	1744022326	0	A	-	-	gz	Modifier un compte utilisateur watch -	1	1	1671429998	0	A	-	-	gz	Exécuter un programme périodiquement en affichant le résultat à l'écran which -	1	1	1690587995	0	B	-	-	gz	Localiser une commande which.debianutils -	1	1	1690587995	0	A	-	-	gz	Localiser une commande xz -	1	1	1743710139	0	A	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma xzcat -	1	1	1743710139	0	B	-	t	gz	Compresser ou décompresser des fichiers .xz et .lzma xzless -	1	1	1743710139	0	A	-	-	gz	Voir le contenu des fichiers (texte) compressés xz ou lzma xzmore -	1	1	1743710139	0	A	-	-	gz	Voir le contenu des fichiers (texte) compressés xz ou lzma                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    v      0                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         sU$ver 0      
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  S7dychfn0         3                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               SVchshH0         =                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           $version$ 2.5.0 chfn -	1	1	1744022326	0	A	-	-	gz	muuta finger-tietojasi chsh -	1	1	1744022326	0	A	-	-	gz	vaihda sisäänkirjautumiskuorta                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       ϚW             	          P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ?      b      D                                                                          B                                                               Ytloa<         S   }HQman 6         T                       Hmanp%8                                                                                                                                    W?`cpidw9         !                       m[man-7         Q                       isuzgrou2      	   0   GHpido9         U                                                                                                                           Sacce0      	   r                       sU$ver 0      
      zwhat>         R   ~?OzsoeHB         K                       vshad:         =                       q^lzcm4         9                                           fhvmst=         E                                                                                                                                               htxzdi?@         9                                           +|gpkil:         !                                           ?	gpasN2         <    2dpkg1         \                                           -'pass8         .   sdgrou2      	   .                                           ٱ<pmap7:         C                                                               EsyscJ<         R   O	kill63         <   "]lzfg4         V                                                                                   
unxzQ=         I                                           hz'snic;         !                                           o lexgw3         P   wVupti=         O   <%9nmap9D         `   4.watc>         _                                                                                                       v<xz  P?         I                       eapro0         T   q#lzca3         I   HlzgrY5         V   CxzmoA         Q   QFvnets C            txzcm @         9   ACrarpC         >                                                                                                                                                                   ]
groutC         H                                                                                                       vDlzeg4         V                       I
grou2      	   +   }zlzmo\6         Q                                           9Ocatm0         S   yq'unlz=         I   F+xzleA         Q                                                                                   @{Mw   A>         O   Csxzfg@         V                       }2NifcoB      	   <   T}|free1         R                       WVmanch7         W                                                                                                       3arp B         <                       ~manpB8      
   S   opgre 9         f   B~qlzle5         Q   ?05sysc;         S                                           bypwdx:         Q                       +mand7         X   *Rmanp8      
   B   x*^xzgr;A         V   [8xzca?         I   H,skil;         H                                                                                                       d'_lzdi]4         9                                           eHdebcA1         4                                           P
>slabg;         Z                                                                                                       ֝izlzma6         I   #
Zxzeg@         V   $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	despeja o conteúdo de um banco de dados do man-db em um formato legível por humanos apropos -	1	1	1678659839	0	A	-	-	gz	pesquisa por nomes e descrições de páginas de manual catman -	8	8	1678659839	0	A	-	-	gz	cria ou atualiza as páginas de manual pré-formatadas debconf-communicate -	1	1	1673214651	0	A	-	-	gz	comunica-se com debconf dpkg-preconfigure -	8	8	1673214651	0	A	-	-	gz	permite pacotes façam suas perguntas antes de sua instalação free -	1	1	1671429998	0	A	-	-	gz	Exibe quantidade de memória livre e usada no sistema gpasswd -	1	1	1744022326	0	A	-	-	gz	administra o arquivo /etc/group groupadd -	8	8	1744022326	0	A	-	-	gz	Criar um novo grupo groupdel -	8	8	1744022326	0	A	-	-	gz	Apaga um grupo groupmod -	8	8	1744022326	0	A	-	-	gz	Modifica um grupo kill -	1	1	1671429998	0	A	-	-	gz	envia um sinal para um processo lexgrog -	1	1	1678659839	0	A	-	-	gz	analisa informações do cabeçalho em páginas man lzcat -	1	1	1743710139	0	B	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma lzcmp -	1	1	1743710139	0	B	-	-	gz	compara arquivos compactados lzdiff -	1	1	1743710139	0	B	-	-	gz	compara arquivos compactados lzegrep -	1	1	1743710139	0	B	-	-	gz	pesquisa arquivos compactados para uma expressão regular lzfgrep -	1	1	1743710139	0	B	-	-	gz	pesquisa arquivos compactados para uma expressão regular lzgrep -	1	1	1743710139	0	B	-	-	gz	pesquisa arquivos compactados para uma expressão regular lzless -	1	1	1743710139	0	B	-	-	gz	visualiza arquivos (texto) compactados em xz ou lzma lzma -	1	1	1743710139	0	B	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma lzmore -	1	1	1743710139	0	B	-	-	gz	visualiza arquivos (texto) compactados em xz ou lzma man -	1	1	1678659839	0	A	-	t	gz	uma interface para os manuais de referência do sistema man-recode -	1	1	1678659839	0	A	-	-	gz	converte páginas de manual para outra codificação manconv -	1	1	1678659839	0	A	-	-	gz	converte página de manual de uma codificação para outra mandb -	8	8	1678659839	0	A	-	t	gz	cria ou atualiza os caches de índices de página de manual manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	determina o caminho de pesquisa por páginas de manual manpath	5 -	5	5	1678659839	0	A	-	-	gz	formata o arquivo /etc/manpath.config passwd -	5	5	1744022326	0	A	-	-	gz	arquivo de senhas pgrep -	1	1	1671429998	0	A	-	-	gz	look up, signal, or wait for processes based on name and other attributes pidof -	1	1	1671429998	0	A	-	-	gz	- localiza o ID do processo de um programa em execução pidwait -	1	1	1671429998	0	C	pgrep	-	gz	 pkill -	1	1	1671429998	0	C	pgrep	-	gz	 pmap -	1	1	1671429998	0	A	-	-	gz	relata mapa de memória de um processo pwdx -	1	1	1671429998	0	A	-	-	gz	relata o diretório de trabalho atual de um processo shadow -	5	5	1744022326	0	A	-	-	gz	arquivo de senhas criptografadas skill -	1	1	1671429998	0	A	-	-	gz	envia um sinal ou relata status de processo slabtop -	1	1	1671429998	0	A	-	t	gz	exibe informações de cache de slabs do kernel em tempo real snice -	1	1	1671429998	0	C	skill	-	gz	 sysctl -	8	8	1671429998	0	A	-	-	gz	configura parâmetros do kernel em tempo de execução sysctl.conf -	5	5	1671429998	0	A	-	-	gz	arquivo de configuração/pré-carregamento do sysctl tload -	1	1	1671429998	0	A	-	-	gz	representação gráfica da média de carga do sistema unlzma -	1	1	1743710139	0	B	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma unxz -	1	1	1743710139	0	B	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma uptime -	1	1	1671429998	0	A	-	-	gz	Fala a quanto tempo o sistema está em execução. vmstat -	8	8	1671429998	0	A	-	-	gz	Relata estatísticas de memória virtual w -	1	1	1671429998	0	A	-	-	gz	Mostra quem está conectado e o que está fazendo. watch -	1	1	1671429998	0	A	-	-	gz	executa um programa periodicamente, mostrando saída em tela cheia whatis -	1	1	1678659839	0	A	-	-	gz	exibe descrições de uma linha de páginas de manual xz -	1	1	1743710139	0	A	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma xzcat -	1	1	1743710139	0	B	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma                      xzcmp -	1	1	1743710139	0	B	-	-	gz	compara arquivos compactados xzdiff -	1	1	1743710139	0	A	-	-	gz	compara arquivos compactados xzegrep -	1	1	1743710139	0	B	-	-	gz	pesquisa arquivos compactados para uma expressão regular xzfgrep -	1	1	1743710139	0	B	-	-	gz	pesquisa arquivos compactados para uma expressão regular xzgrep -	1	1	1743710139	0	A	-	-	gz	pesquisa arquivos compactados para uma expressão regular xzless -	1	1	1743710139	0	A	-	-	gz	visualiza arquivos (texto) compactados em xz ou lzma xzmore -	1	1	1743710139	0	A	-	-	gz	visualiza arquivos (texto) compactados em xz ou lzma zsoelim -	1	1	1678659839	0	A	-	-	gz	satisfaz requisições por .so em entrada roff arp -	8	8	1748287643	0	A	-	-	gz	manipula o cache ARP do sistema ifconfig -	8	8	1748287643	0	A	-	-	gz	configura uma interface de rede netstat -	8	8	1748287643	0	A	-	-	gz	Mostra conexões de rede, tabelas de roteamento, estatísticas de interface e conexões mascaradas. rarp -	8	8	1748287643	0	A	-	-	gz	manipula a tabela RARP do sistema route -	8	8	1748287643	0	A	-	-	gz	mostra / manipula a tabela de roteamento IP nmap -	1	1	1673900619	0	A	-	-	gz	Ferramenta de exploração de rede e segurança / scanner de portas                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   ϚW             	          P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ?      o      D                                                                          B                                                               Ytloa>         S   }HQman 97         T                       Hmanp8                                                                                                                                    W?`cpidwY;         !                       m[man-7         Q                       isuzgrou2      	   0   GHpido:         U                                                                                                                           Sacce0      	   r                       sU$ver 0      
      zwhatA         R   ~?Ozsoe>D         K                       vshad<         =                       q^lzcm4         9                                           fhvmst @         E                                                                                                                                               htxzdi5B         9                                           +|gpkil;         !                                           ?	gpas2         <    2dpkg1         \                                           -'pass]:         .   sdgrou?3      	   .                                           ٱ<pmap;         C                                                               EsyscM>         R   O	kill3         <   "]lzfg5         V                                                                                   
unxzT?         I                                           hz'snic=         !                                           o lexg3         P   <%9nmap9         `   wVupti?         O   4.watc@         _                                                                                                       v<xz  [A         I                       eapro0         T   q#lzcaT4         I   Hlzgr5         V   QFvnetsp9            ACrarpG<         >   txzcmA         9   CxzmoC         Q                                                                                                                                                                   ]
grout<         H                                                                                                       vDlzeg"5         V                       I
grou3      	   +   }zlzmo6         Q                                           9Ocatm'1         S   yq'unlz?         I   F+xzleC         Q                                                                                   @{Mw   L@         O   CsxzfgB         V                       }2Nifcov3      	   <   T}|free72         R                       WVmanc7         W                                                                                                       3arp 0         <                       ~manp8      
   S   opgre:         f   B~qlzle;6         Q   ?05sysc=         S                                           bypwdx;         Q                       +mandL8         X   *Rmanp$9      
   B   x*^xzgr1C         V   [8xzcaA         I   H,skil=         H                                                                                                       d'_lzdi4         9                                           eHdebc1         4                                           P
>slabj=         Z                                                                                                       ֝izlzma6         I   #
ZxzeguB         V   $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	despeja o conteúdo de um banco de dados do man-db em um formato legível por humanos apropos -	1	1	1678659839	0	A	-	-	gz	pesquisa por nomes e descrições de páginas de manual arp -	8	8	1748287643	0	A	-	-	gz	manipula o cache ARP do sistema catman -	8	8	1678659839	0	A	-	-	gz	cria ou atualiza as páginas de manual pré-formatadas debconf-communicate -	1	1	1673214651	0	A	-	-	gz	comunica-se com debconf dpkg-preconfigure -	8	8	1673214651	0	A	-	-	gz	permite pacotes façam suas perguntas antes de sua instalação free -	1	1	1671429998	0	A	-	-	gz	Exibe quantidade de memória livre e usada no sistema gpasswd -	1	1	1744022326	0	A	-	-	gz	administra o arquivo /etc/group groupadd -	8	8	1744022326	0	A	-	-	gz	Criar um novo grupo groupdel -	8	8	1744022326	0	A	-	-	gz	Apaga um grupo groupmod -	8	8	1744022326	0	A	-	-	gz	Modifica um grupo ifconfig -	8	8	1748287643	0	A	-	-	gz	configura uma interface de rede kill -	1	1	1671429998	0	A	-	-	gz	envia um sinal para um processo lexgrog -	1	1	1678659839	0	A	-	-	gz	analisa informações do cabeçalho em páginas man lzcat -	1	1	1743710139	0	B	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma lzcmp -	1	1	1743710139	0	B	-	-	gz	compara arquivos compactados lzdiff -	1	1	1743710139	0	B	-	-	gz	compara arquivos compactados lzegrep -	1	1	1743710139	0	B	-	-	gz	pesquisa arquivos compactados para uma expressão regular lzfgrep -	1	1	1743710139	0	B	-	-	gz	pesquisa arquivos compactados para uma expressão regular lzgrep -	1	1	1743710139	0	B	-	-	gz	pesquisa arquivos compactados para uma expressão regular lzless -	1	1	1743710139	0	B	-	-	gz	visualiza arquivos (texto) compactados em xz ou lzma lzma -	1	1	1743710139	0	B	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma lzmore -	1	1	1743710139	0	B	-	-	gz	visualiza arquivos (texto) compactados em xz ou lzma man -	1	1	1678659839	0	A	-	t	gz	uma interface para os manuais de referência do sistema man-recode -	1	1	1678659839	0	A	-	-	gz	converte páginas de manual para outra codificação manconv -	1	1	1678659839	0	A	-	-	gz	converte página de manual de uma codificação para outra mandb -	8	8	1678659839	0	A	-	t	gz	cria ou atualiza os caches de índices de página de manual manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	determina o caminho de pesquisa por páginas de manual manpath	5 -	5	5	1678659839	0	A	-	-	gz	formata o arquivo /etc/manpath.config netstat -	8	8	1748287643	0	A	-	-	gz	Mostra conexões de rede, tabelas de roteamento, estatísticas de interface e conexões mascaradas. nmap -	1	1	1673900619	0	A	-	-	gz	Ferramenta de exploração de rede e segurança / scanner de portas passwd -	5	5	1744022326	0	A	-	-	gz	arquivo de senhas pgrep -	1	1	1671429998	0	A	-	-	gz	look up, signal, or wait for processes based on name and other attributes pidof -	1	1	1671429998	0	A	-	-	gz	- localiza o ID do processo de um programa em execução pidwait -	1	1	1671429998	0	C	pgrep	-	gz	 pkill -	1	1	1671429998	0	C	pgrep	-	gz	 pmap -	1	1	1671429998	0	A	-	-	gz	relata mapa de memória de um processo pwdx -	1	1	1671429998	0	A	-	-	gz	relata o diretório de trabalho atual de um processo rarp -	8	8	1748287643	0	A	-	-	gz	manipula a tabela RARP do sistema route -	8	8	1748287643	0	A	-	-	gz	mostra / manipula a tabela de roteamento IP shadow -	5	5	1744022326	0	A	-	-	gz	arquivo de senhas criptografadas skill -	1	1	1671429998	0	A	-	-	gz	envia um sinal ou relata status de processo slabtop -	1	1	1671429998	0	A	-	t	gz	exibe informações de cache de slabs do kernel em tempo real snice -	1	1	1671429998	0	C	skill	-	gz	 sysctl -	8	8	1671429998	0	A	-	-	gz	configura parâmetros do kernel em tempo de execução sysctl.conf -	5	5	1671429998	0	A	-	-	gz	arquivo de configuração/pré-carregamento do sysctl tload -	1	1	1671429998	0	A	-	-	gz	representação gráfica da média de carga do sistema unlzma -	1	1	1743710139	0	B	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma unxz -	1	1	1743710139	0	B	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma uptime -	1	1	1671429998	0	A	-	-	gz	Fala a quanto tempo o sistema está em execução.         vmstat -	8	8	1671429998	0	A	-	-	gz	Relata estatísticas de memória virtual w -	1	1	1671429998	0	A	-	-	gz	Mostra quem está conectado e o que está fazendo. watch -	1	1	1671429998	0	A	-	-	gz	executa um programa periodicamente, mostrando saída em tela cheia whatis -	1	1	1678659839	0	A	-	-	gz	exibe descrições de uma linha de páginas de manual xz -	1	1	1743710139	0	A	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma xzcat -	1	1	1743710139	0	B	-	t	gz	Compacta ou descompacta arquivos .xz e .lzma xzcmp -	1	1	1743710139	0	B	-	-	gz	compara arquivos compactados xzdiff -	1	1	1743710139	0	A	-	-	gz	compara arquivos compactados xzegrep -	1	1	1743710139	0	B	-	-	gz	pesquisa arquivos compactados para uma expressão regular xzfgrep -	1	1	1743710139	0	B	-	-	gz	pesquisa arquivos compactados para uma expressão regular xzgrep -	1	1	1743710139	0	A	-	-	gz	pesquisa arquivos compactados para uma expressão regular xzless -	1	1	1743710139	0	A	-	-	gz	visualiza arquivos (texto) compactados em xz ou lzma xzmore -	1	1	1743710139	0	A	-	-	gz	visualiza arquivos (texto) compactados em xz ou lzma zsoelim -	1	1	1678659839	0	A	-	-	gz	satisfaz requisições por .so em entrada roff                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                ϚW             	          `                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ?             O            T                                                          h   qyfakeD      
      sdpkgE         P   0:8dpkgG         ?   M%deb-L         D    apt-4         \   ]vadduj1      
   N   b[dpkg;         b   	'{Lapt-5         U   }HQman >         I   Hmanp @            Esour@      
   N   6_dpkg G         A   y5deb \T         <   '`deb8T         E                       Capt-7         i   m[man->         E                       Adpkg>      	   :                                           [qa0dpkgSG         @                       k#ZdpkgG         |   {vddeb-M         b   Sacce0      	   ^                       sU$ver 0      
      -#apt-<3            [-kapt.8      	   8   p/etc0         (   zwhatA         F   ~?Ozsoe-B         ?   EPdeb-@M         A   X)'apt  2         3                                                                                   ŋJapt-2         N                                                               xd=dpkgK         Y                                                                                   "fakeVD      	   )                                                                                   vdeb-R         I                                           pdpkgz:      	   `   *0dpkgE         c                       WfakeC         &   =Edeb-ZN         I                                           <zXapt-4      	   k   ZW.apt-'4         h   	(dpkg:         R   ,D;apt_F8         S   w?deb-{K         J   (dpkg~H         O   =dpkgA;         c   5'fakeC            _Sdeb-S         ]                                                               o lexg]>         G   xVdpkgI         9   +i"dpkge=         J   :gdpkg=      
   L   r^dpkg<I         ?   'PdpkgJ         b   U/rdeb-N         P   zdeb-M         J                       "mdpkg=:         8                       eapro1         S                                                               ]sdpkg<         a   jdsc K         Z                                                               [Ddeb-L         Z   I3apt_8         T   6apt-~6         t   e<7dpkgI         :   addg0      	   #   deb-Q      
   O   1deb-P         K                                                                                                                                                                                       QdpkgE         S                       9Ocatm9         L   V-delu9         O   C*
dpkg<         ]   "deb-R         _                                           Kdfake3C      
                                              \ /etcJ0         (   a+7deb-/L         K                       t)deb-R         G   WVmancI?         T                       N*apt-2      
   A   U8apt-#6      
   N   +dpkgH      
   P   lN[deb-`Q         T   dpkg2<         Q   ?dpkgF         =   G>delu9      
   O   ~manp@      
   C   ;Ldeb-O         L   ctdeb-	Q      
   M   ($apt-7         n   s-deb-3S         ]   ydeb-^O      
   D                       Idelg^9      	   #   +mand?         J   *Rmanpj@      
   C   ,AstarA         F                       G6hapt-3         E   꽛fdeb-O      
   ,                       Zkeaddu1         K   & )updajA         b   W{faketB            e deb-S         E                                                               #&apt-o5      
   G   #apt-W2      
   7   K deb- P      
   L   [chdpkg%J         t   Hdeb-YP         N                                                               c<GdpkgRF         L   $version$ 2.5.0 /etc/adduser.conf -	5	5	1685030075	0	C	adduser.conf	-	gz	 /etc/deluser.conf -	5	5	1685030075	0	C	deluser.conf	-	gz	 accessdb -	8	8	1678659839	0	A	-	-	gz	dumps the content of a man-db database in a human readable format addgroup -	8	8	1685030075	0	C	adduser	-	gz	 adduser -	8	8	1685030075	0	A	-	-	gz	gebruikers of groepen toevoegen of manipuleren adduser.conf -	5	5	1685030075	0	A	-	-	gz	configuratiebestand voor adduser(8) enaddgroup(8) apropos -	1	1	1678659839	0	A	-	-	gz	namen en beschrijvingen van de man-pagina's doorzoeken apt -	8	8	1685023897	0	A	-	-	gz	commandoregelinterface apt-cache -	8	8	1685023897	0	A	-	-	gz	zoeken in de cache van APT apt-cdrom -	8	8	1685023897	0	A	-	-	gz	Hulpprogramma van APT voor CD-beheer apt-config -	8	8	1685023897	0	A	-	-	gz	Programma om de configuratie van APT op te vragen apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Hulpprogramma om configuratie-informatie en sjablonen voor debconf uit Debian-pakketten te extraheren apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	Hulpprogramma om indexbestanden te maken apt-get -	8	8	1685023897	0	A	-	-	gz	APT gereedschap voor het behandelen van pakketten -- commandoregelinterface apt-key -	8	8	1685023897	0	A	-	-	gz	Verouderd hulpprogramma voor het beheer van de sleutels van APT apt-mark -	8	8	1685023897	0	A	-	-	gz	toon verschillende instellingen van een pakket, stel ze in of maak ze ongedaan apt-patterns -	7	7	1685023897	0	A	-	-	gz	Syntaxis en semantiek van apt-zoekpatronen apt-secure -	8	8	1685023897	0	A	-	-	gz	Ondersteuning in APT voor de authenticatie van archieven apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	Hulpprogramma om pakketindexbestanden te sorteren apt-transport-http -	1	1	1685023897	0	A	-	-	gz	Transportmethode van APT voor het downloaden via het Hypertext Transfer Protocol (HTTP) apt-transport-https -	1	1	1685023897	0	A	-	-	gz	Transportmethode van APT voor het downloaden via het HTTP Secure protocol (HTTPS) apt-transport-mirror -	1	1	1685023897	0	A	-	-	gz	Transportmethode van APT voor een meer geautomatiseerde siegelserverselectie apt.conf -	5	5	1685023897	0	A	-	-	gz	Configuratiebestand van APT apt_auth.conf -	5	5	1685023897	0	A	-	-	gz	Login-configuratiebestand voor APT-bronnen en -proxy's apt_preferences -	5	5	1685023897	0	A	-	-	gz	Bestand om de voorkeursinstellingen voor APT te beheren catman -	8	8	1678659839	0	A	-	-	gz	create or update the pre-formatted manual pages delgroup -	8	8	1685030075	0	C	deluser	-	gz	 deluser -	8	8	1685030075	0	A	-	-	gz	een gebruiker of groep van het systeem verwijderen deluser.conf -	5	5	1685030075	0	A	-	-	gz	configuratiebestand voor deluser(8) endelgroup(8). dpkg -	1	1	1683770641	0	A	-	-	gz	pakketbeheerder voor Debian dpkg-deb -	1	1	1683770641	0	A	-	-	gz	gereedschap voor het behandelen van een Debian pakketarchief (.deb) dpkg-divert -	1	1	1683770641	0	A	-	-	gz	de versie van een bestand in een pakket overschrijven dpkg-fsys-usrunmess -	8	8	1683770641	0	A	-	-	gz	maakt de puinhoop ongedaan van een via aliassen samengevoegde map /usr dpkg-maintscript-helper -	1	1	1683770641	0	A	-	-	gz	omzeilt in de scripts van de onderhouder gekende beperkingen van dpkg dpkg-query -	1	1	1683770641	0	A	-	-	gz	een gereedschap om te zoeken in de database van dpkg dpkg-realpath -	1	1	1683770641	0	A	-	-	gz	de opgezochte padnaam met ondersteuning voor DPKG_ROOT weergeven dpkg-split -	1	1	1683770641	0	A	-	-	gz	gereedschap voor het splitsen/samenvoegen van Debian pakketarchieven dpkg-statoverride -	1	1	1683770641	0	A	-	-	gz	eigenaarschap en modus van bestanden wijzigen dpkg-trigger -	1	1	1683770641	0	A	-	-	gz	een hulpprogramma in verband met pakkettriggers dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	configuratiebestand voor dpkg lexgrog -	1	1	1678659839	0	A	-	-	gz	hoofdinginformatie in manpagina's ontleden man -	1	1	1678659839	0	A	-	t	gz	an interface to the system reference manuals man-recode -	1	1	1678659839	0	A	-	-	gz	convert manual pages to another encoding manconv -	1	1	1678659839	0	A	-	-	gz	converteert man-pagina van een codering naar een andere mandb -	8	8	1678659839	0	A	-	t	gz	create or update the manual page index caches            manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	determine search path for manual pages manpath	5 -	5	5	1678659839	0	A	-	-	gz	format of the /etc/manpath.config file sources.list -	5	5	1685023897	0	A	-	-	gz	Lijst met geconfigureerde gegevensbronnen van APT start-stop-daemon -	8	8	1683770641	0	A	-	-	gz	start en stopt systeemachtergronddiensten update-alternatives -	1	1	1683770641	0	A	-	-	gz	symbolische koppelingen onderhouden welke standaardcommando's bepalen whatis -	1	1	1678659839	0	A	-	-	gz	display one-line manual page descriptions zsoelim -	1	1	1678659839	0	A	-	-	gz	satisfy .so requests in roff input faked-sysv -	1	1	1679131320	0	A	-	-	gz	daemon die valse eigenaren/toegangsrechten onthoudt van bestanden die door fakeroot-processen zijn bewerkt. faked -	1	1	1679131320	0	C	faked-sysv	-	gz	 faked-tcp -	1	1	1679131320	0	A	-	-	gz	daemon die valse eigenaren/toegangsrechten onthoudt van bestanden die door fakeroot-processen zijn bewerkt. fakeroot-sysv -	1	1	1679131320	0	A	-	-	gz	voert een commando uit in een omgeving die root-privileges fingeert voor het manipuleren van bestanden fakeroot -	1	1	1679131320	0	C	fakeroot-sysv	-	gz	 fakeroot-tcp -	1	1	1679131320	0	A	-	-	gz	voert een commando uit in een omgeving die root-privileges fingeert voor het manipuleren van bestanden dpkg-architecture -	1	1	1683770641	0	A	-	-	gz	de architectuur voor het bouwen van pakketten instellen en vaststellen dpkg-buildflags -	1	1	1683770641	0	A	-	-	gz	geeft de bij pakketbouw te gebruiken bouwvlaggen terug dpkg-buildpackage -	1	1	1683770641	0	A	-	-	gz	binaire of broncodepakketten bouwen uit de broncode dpkg-checkbuilddeps -	1	1	1683770641	0	A	-	-	gz	controleer bouwvereisten en -tegenstrijdigheden dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	items toevoegen aan debian/files dpkg-genbuildinfo -	1	1	1683770641	0	A	-	-	gz	genereer Debian .buildinfo-bestanden dpkg-genchanges -	1	1	1683770641	0	A	-	-	gz	Debian .changes-bestanden genereren dpkg-gencontrol -	1	1	1683770641	0	A	-	-	gz	Debian control-bestanden genereren dpkg-gensymbols -	1	1	1683770641	0	A	-	-	gz	symboolbestanden genereren (informatie over afhankelijkheidsrelaties met gedeelde bibliotheken) dpkg-mergechangelogs -	1	1	1683770641	0	A	-	-	gz	3-wegs samenvoeging van debian/changelog-bestanden dpkg-name -	1	1	1683770641	0	A	-	-	gz	hernoem Debian-pakketten naar volledige pakketnamen dpkg-parsechangelog -	1	1	1683770641	0	A	-	-	gz	ontleed Debian changelog-bestanden dpkg-scanpackages -	1	1	1683770641	0	A	-	-	gz	Packages-indexbestanden maken dpkg-scansources -	1	1	1683770641	0	A	-	-	gz	Sources-indexbestanden maken dpkg-shlibdeps -	1	1	1683770641	0	A	-	-	gz	substitutievariabelen genereren over afhankelijkheidsrelaties tot gedeelde bibliotheken dpkg-source -	1	1	1683770641	0	A	-	-	gz	gereedschap voor het manipuleren van een Debian broncodepakket (.dsc) dpkg-vendor -	1	1	1683770641	0	A	-	-	gz	vraagt informatie op over de leveranciers van de distributie deb-version -	7	7	1683770641	0	A	-	-	gz	Indeling van het pakketversienummer in Debian dsc -	5	5	1683770641	0	A	-	-	gz	Indeling van het controlebestand van Debian-broncodepakketten deb-buildinfo -	5	5	1683770641	0	A	-	-	gz	Indeling van het Debian bouw-informatiebestand deb-changelog -	5	5	1683770641	0	A	-	-	gz	indeling van het dpkg changelog-bestand van broncodepakketten deb-changes -	5	5	1683770641	0	A	-	-	gz	Indeling van het Debian changes-bestand deb-conffiles -	5	5	1683770641	0	A	-	-	gz	configuratiebestanden van een pakket deb-control -	5	5	1683770641	0	A	-	-	gz	Indeling van het hoofdcontrolebestand van de Debian binaire pakketten deb-extra-override -	5	5	1683770641	0	A	-	-	gz	extra override-bestand van het Debian-archief deb-md5sums -	5	5	1683770641	0	A	-	-	gz	MD5-frommels van de bestanden uit het pakket deb-old -	5	5	1683770641	0	A	-	-	gz	oude indelingswijze van een binair pakket in Debian deb-origin -	5	5	1683770641	0	A	-	-	gz	Bestanden met leveranciersspecifieke informatie deb-override -	5	5	1683770641	0	A	-	-	gz	override-bestand van het Debian-archief deb-triggers -	5	5	1683770641	0	A	-	-	gz	pakket-triggers                         deb-postinst -	5	5	1683770641	0	A	-	-	gz	post-installatiescript van de pakketonderhouder deb-postrm -	5	5	1683770641	0	A	-	-	gz	post-verwijderingsscript van de pakketonderhouder deb-preinst -	5	5	1683770641	0	A	-	-	gz	pre-installatiescript van de pakketonderhouder deb-prerm -	5	5	1683770641	0	A	-	-	gz	pre-verwijderingsscript van de pakketonderhouder deb-shlibs -	5	5	1683770641	0	A	-	-	gz	Informatiebestand van Debian over gedeelde bibliotheken deb-split -	5	5	1683770641	0	A	-	-	gz	Indeling van een meerdelig binair pakket in Debian deb-src-control -	5	5	1683770641	0	A	-	-	gz	Indeling van het hoofdcontrolebestand van Debian-broncodepakketten deb-src-files -	5	5	1683770641	0	A	-	-	gz	Indeling van het Debian distributiebestand deb-src-rules -	5	5	1683770641	0	A	-	-	gz	Aanwijzingenbestand van Debian-bronpakketten deb-src-symbols -	5	5	1683770641	0	A	-	-	gz	Uitgebreid sjabloonbestand van Debian voor gedeelde bibliotheken deb-substvars -	5	5	1683770641	0	A	-	-	gz	Substitutievariabelen in Debian broncode deb-symbols -	5	5	1683770641	0	A	-	-	gz	Informatiebestand over Debian's uitgebreide gedeelde bibliotheek deb -	5	5	1683770641	0	A	-	-	gz	Binair pakketformaat van Debian deb822 -	5	5	1683770641	0	A	-	-	gz	Debian RFC822-indeling voor controledata                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         ϚW             	          `                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ?             O      "      T                                                          h   c<GdpkgD         L   sdpkgOD         P   0:8dpkg@G         ?   M%deb-_:         D    apt-4         \   ]vadduj1      
   N   b[dpkgH         b   	'{Lapt-5         U   6_dpkgF         A   qyfakeP      
      '`deb8B         E   }HQman !Q         I   HmanpjR            Esour!S      
   N                       Capt-7         i   m[man-nQ         E                       AdpkgzM      	   :                                           [qa0dpkgF         @                       {vddeb-:         b   k#ZdpkgG         |   Sacce0      	   ^                       sU$ver 0      
      -#apt-<3            [-kapt.8      	   8   p/etc0         (   EPdeb-:         A   zwhatJT         F   ~?OzsoeT         ?   X)'apt  2         3                                                                                   ŋJapt-2         N                                                               xd=dpkgM         Y                                                                                   "fakelO      	   )                                                                                   vdeb- @         I                                           pdpkgE      	   `   *0dpkgwC         c                       =Edeb-;         I   WfakeN         &                                           <zXapt-4      	   k   ZW.apt-'4         h   _Sdeb-A         ]   ,D;apt_F8         S   w?deb-A         J   	(dpkgE         R   =dpkg&F         c   (dpkgH         O   5'fake P                                                                        o lexgO         G   xVdpkgJ         9   +i"dpkg`L         J   :gdpkgL      
   L   U/rdeb-<         P   r^dpkgSI         ?   'PdpkgK         b   zdeb-l;         J                       "mdpkg:C         8                       eapro1         S                                                               ]sdpkgK         a   jdsc M         Z                                                               [Ddeb-9         Z   I3apt_8         T   6apt-~6         t   deb->      
   O   addg0      	   #   e<7dpkgmJ         :   1deb-=         K                                                                                                                                                                                       QdpkgC         S                       9Ocatm9         L   "deb-6?         _   V-deluB         O   C*
dpkgJ         ]                                           KdfakeN      
                                              \ /etcJ0         (   a+7deb-9         K                       t)deb-?         G   WVmancQ         T                       N*apt-2      
   A   U8apt-#6      
   N   lN[deb-~>         T   +dpkgH      
   P   ?dpkgzE         =   ctdeb-'>      
   M   ;Ldeb-v<         L   G>deluB      
   O   dpkgI         Q   s-deb-W@         ]   ($apt-7         n   ~manpR      
   C   ydeb-<      
   D                       Idelg[B      	   #   +mandR         J   *RmanpR      
   C   ,Astar|S         F                       G6hapt-3         E   꽛fdeb-A      
   ,                       Zkeaddu1         K   e deb-@         E   W{fakeGN            & )updaS         b                                                               #&apt-o5      
   G   #apt-W2      
   7   K deb-=      
   L   Hdeb-w=         N   [chdpkgK         t                                                               y5deb ^9         <   $version$ 2.5.0 /etc/adduser.conf -	5	5	1685030075	0	C	adduser.conf	-	gz	 /etc/deluser.conf -	5	5	1685030075	0	C	deluser.conf	-	gz	 accessdb -	8	8	1678659839	0	A	-	-	gz	dumps the content of a man-db database in a human readable format addgroup -	8	8	1685030075	0	C	adduser	-	gz	 adduser -	8	8	1685030075	0	A	-	-	gz	gebruikers of groepen toevoegen of manipuleren adduser.conf -	5	5	1685030075	0	A	-	-	gz	configuratiebestand voor adduser(8) enaddgroup(8) apropos -	1	1	1678659839	0	A	-	-	gz	namen en beschrijvingen van de man-pagina's doorzoeken apt -	8	8	1685023897	0	A	-	-	gz	commandoregelinterface apt-cache -	8	8	1685023897	0	A	-	-	gz	zoeken in de cache van APT apt-cdrom -	8	8	1685023897	0	A	-	-	gz	Hulpprogramma van APT voor CD-beheer apt-config -	8	8	1685023897	0	A	-	-	gz	Programma om de configuratie van APT op te vragen apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Hulpprogramma om configuratie-informatie en sjablonen voor debconf uit Debian-pakketten te extraheren apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	Hulpprogramma om indexbestanden te maken apt-get -	8	8	1685023897	0	A	-	-	gz	APT gereedschap voor het behandelen van pakketten -- commandoregelinterface apt-key -	8	8	1685023897	0	A	-	-	gz	Verouderd hulpprogramma voor het beheer van de sleutels van APT apt-mark -	8	8	1685023897	0	A	-	-	gz	toon verschillende instellingen van een pakket, stel ze in of maak ze ongedaan apt-patterns -	7	7	1685023897	0	A	-	-	gz	Syntaxis en semantiek van apt-zoekpatronen apt-secure -	8	8	1685023897	0	A	-	-	gz	Ondersteuning in APT voor de authenticatie van archieven apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	Hulpprogramma om pakketindexbestanden te sorteren apt-transport-http -	1	1	1685023897	0	A	-	-	gz	Transportmethode van APT voor het downloaden via het Hypertext Transfer Protocol (HTTP) apt-transport-https -	1	1	1685023897	0	A	-	-	gz	Transportmethode van APT voor het downloaden via het HTTP Secure protocol (HTTPS) apt-transport-mirror -	1	1	1685023897	0	A	-	-	gz	Transportmethode van APT voor een meer geautomatiseerde siegelserverselectie apt.conf -	5	5	1685023897	0	A	-	-	gz	Configuratiebestand van APT apt_auth.conf -	5	5	1685023897	0	A	-	-	gz	Login-configuratiebestand voor APT-bronnen en -proxy's apt_preferences -	5	5	1685023897	0	A	-	-	gz	Bestand om de voorkeursinstellingen voor APT te beheren catman -	8	8	1678659839	0	A	-	-	gz	create or update the pre-formatted manual pages deb -	5	5	1683770641	0	A	-	-	gz	Binair pakketformaat van Debian deb-buildinfo -	5	5	1683770641	0	A	-	-	gz	Indeling van het Debian bouw-informatiebestand deb-changelog -	5	5	1683770641	0	A	-	-	gz	indeling van het dpkg changelog-bestand van broncodepakketten deb-changes -	5	5	1683770641	0	A	-	-	gz	Indeling van het Debian changes-bestand deb-conffiles -	5	5	1683770641	0	A	-	-	gz	configuratiebestanden van een pakket deb-control -	5	5	1683770641	0	A	-	-	gz	Indeling van het hoofdcontrolebestand van de Debian binaire pakketten deb-extra-override -	5	5	1683770641	0	A	-	-	gz	extra override-bestand van het Debian-archief deb-md5sums -	5	5	1683770641	0	A	-	-	gz	MD5-frommels van de bestanden uit het pakket deb-old -	5	5	1683770641	0	A	-	-	gz	oude indelingswijze van een binair pakket in Debian deb-origin -	5	5	1683770641	0	A	-	-	gz	Bestanden met leveranciersspecifieke informatie deb-override -	5	5	1683770641	0	A	-	-	gz	override-bestand van het Debian-archief deb-postinst -	5	5	1683770641	0	A	-	-	gz	post-installatiescript van de pakketonderhouder deb-postrm -	5	5	1683770641	0	A	-	-	gz	post-verwijderingsscript van de pakketonderhouder deb-preinst -	5	5	1683770641	0	A	-	-	gz	pre-installatiescript van de pakketonderhouder deb-prerm -	5	5	1683770641	0	A	-	-	gz	pre-verwijderingsscript van de pakketonderhouder deb-shlibs -	5	5	1683770641	0	A	-	-	gz	Informatiebestand van Debian over gedeelde bibliotheken deb-split -	5	5	1683770641	0	A	-	-	gz	Indeling van een meerdelig binair pakket in Debian deb-src-control -	5	5	1683770641	0	A	-	-	gz	Indeling van het hoofdcontrolebestand van Debian-broncodepakketten deb-src-files -	5	5	1683770641	0	A	-	-	gz	Indeling van het Debian distributiebestand       deb-src-rules -	5	5	1683770641	0	A	-	-	gz	Aanwijzingenbestand van Debian-bronpakketten deb-src-symbols -	5	5	1683770641	0	A	-	-	gz	Uitgebreid sjabloonbestand van Debian voor gedeelde bibliotheken deb-substvars -	5	5	1683770641	0	A	-	-	gz	Substitutievariabelen in Debian broncode deb-symbols -	5	5	1683770641	0	A	-	-	gz	Informatiebestand over Debian's uitgebreide gedeelde bibliotheek deb-triggers -	5	5	1683770641	0	A	-	-	gz	pakket-triggers deb-version -	7	7	1683770641	0	A	-	-	gz	Indeling van het pakketversienummer in Debian deb822 -	5	5	1683770641	0	A	-	-	gz	Debian RFC822-indeling voor controledata delgroup -	8	8	1685030075	0	C	deluser	-	gz	 deluser -	8	8	1685030075	0	A	-	-	gz	een gebruiker of groep van het systeem verwijderen deluser.conf -	5	5	1685030075	0	A	-	-	gz	configuratiebestand voor deluser(8) endelgroup(8). dpkg -	1	1	1683770641	0	A	-	-	gz	pakketbeheerder voor Debian dpkg-architecture -	1	1	1683770641	0	A	-	-	gz	de architectuur voor het bouwen van pakketten instellen en vaststellen dpkg-buildflags -	1	1	1683770641	0	A	-	-	gz	geeft de bij pakketbouw te gebruiken bouwvlaggen terug dpkg-buildpackage -	1	1	1683770641	0	A	-	-	gz	binaire of broncodepakketten bouwen uit de broncode dpkg-checkbuilddeps -	1	1	1683770641	0	A	-	-	gz	controleer bouwvereisten en -tegenstrijdigheden dpkg-deb -	1	1	1683770641	0	A	-	-	gz	gereedschap voor het behandelen van een Debian pakketarchief (.deb) dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	items toevoegen aan debian/files dpkg-divert -	1	1	1683770641	0	A	-	-	gz	de versie van een bestand in een pakket overschrijven dpkg-fsys-usrunmess -	8	8	1683770641	0	A	-	-	gz	maakt de puinhoop ongedaan van een via aliassen samengevoegde map /usr dpkg-genbuildinfo -	1	1	1683770641	0	A	-	-	gz	genereer Debian .buildinfo-bestanden dpkg-genchanges -	1	1	1683770641	0	A	-	-	gz	Debian .changes-bestanden genereren dpkg-gencontrol -	1	1	1683770641	0	A	-	-	gz	Debian control-bestanden genereren dpkg-gensymbols -	1	1	1683770641	0	A	-	-	gz	symboolbestanden genereren (informatie over afhankelijkheidsrelaties met gedeelde bibliotheken) dpkg-maintscript-helper -	1	1	1683770641	0	A	-	-	gz	omzeilt in de scripts van de onderhouder gekende beperkingen van dpkg dpkg-mergechangelogs -	1	1	1683770641	0	A	-	-	gz	3-wegs samenvoeging van debian/changelog-bestanden dpkg-name -	1	1	1683770641	0	A	-	-	gz	hernoem Debian-pakketten naar volledige pakketnamen dpkg-parsechangelog -	1	1	1683770641	0	A	-	-	gz	ontleed Debian changelog-bestanden dpkg-query -	1	1	1683770641	0	A	-	-	gz	een gereedschap om te zoeken in de database van dpkg dpkg-realpath -	1	1	1683770641	0	A	-	-	gz	de opgezochte padnaam met ondersteuning voor DPKG_ROOT weergeven dpkg-scanpackages -	1	1	1683770641	0	A	-	-	gz	Packages-indexbestanden maken dpkg-scansources -	1	1	1683770641	0	A	-	-	gz	Sources-indexbestanden maken dpkg-shlibdeps -	1	1	1683770641	0	A	-	-	gz	substitutievariabelen genereren over afhankelijkheidsrelaties tot gedeelde bibliotheken dpkg-source -	1	1	1683770641	0	A	-	-	gz	gereedschap voor het manipuleren van een Debian broncodepakket (.dsc) dpkg-split -	1	1	1683770641	0	A	-	-	gz	gereedschap voor het splitsen/samenvoegen van Debian pakketarchieven dpkg-statoverride -	1	1	1683770641	0	A	-	-	gz	eigenaarschap en modus van bestanden wijzigen dpkg-trigger -	1	1	1683770641	0	A	-	-	gz	een hulpprogramma in verband met pakkettriggers dpkg-vendor -	1	1	1683770641	0	A	-	-	gz	vraagt informatie op over de leveranciers van de distributie dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	configuratiebestand voor dpkg dsc -	5	5	1683770641	0	A	-	-	gz	Indeling van het controlebestand van Debian-broncodepakketten faked -	1	1	1679131320	0	C	faked-sysv	-	gz	 faked-sysv -	1	1	1679131320	0	A	-	-	gz	daemon die valse eigenaren/toegangsrechten onthoudt van bestanden die door fakeroot-processen zijn bewerkt. faked-tcp -	1	1	1679131320	0	A	-	-	gz	daemon die valse eigenaren/toegangsrechten onthoudt van bestanden die door fakeroot-processen zijn bewerkt. fakeroot -	1	1	1679131320	0	C	fakeroot-sysv	-	gz	 lexgrog -	1	1	1678659839	0	A	-	-	gz	hoofdinginformatie in manpagina's ontleden                    fakeroot-sysv -	1	1	1679131320	0	A	-	-	gz	voert een commando uit in een omgeving die root-privileges fingeert voor het manipuleren van bestanden fakeroot-tcp -	1	1	1679131320	0	A	-	-	gz	voert een commando uit in een omgeving die root-privileges fingeert voor het manipuleren van bestanden man -	1	1	1678659839	0	A	-	t	gz	an interface to the system reference manuals man-recode -	1	1	1678659839	0	A	-	-	gz	convert manual pages to another encoding manconv -	1	1	1678659839	0	A	-	-	gz	converteert man-pagina van een codering naar een andere mandb -	8	8	1678659839	0	A	-	t	gz	create or update the manual page index caches manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	determine search path for manual pages manpath	5 -	5	5	1678659839	0	A	-	-	gz	format of the /etc/manpath.config file sources.list -	5	5	1685023897	0	A	-	-	gz	Lijst met geconfigureerde gegevensbronnen van APT start-stop-daemon -	8	8	1683770641	0	A	-	-	gz	start en stopt systeemachtergronddiensten update-alternatives -	1	1	1683770641	0	A	-	-	gz	symbolische koppelingen onderhouden welke standaardcommando's bepalen whatis -	1	1	1678659839	0	A	-	-	gz	display one-line manual page descriptions zsoelim -	1	1	1678659839	0	A	-	-	gz	satisfy .so requests in roff input                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          g0                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         sU$ver 0      
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      <%9nmap0         R                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       $version$ 2.5.0 nmap -	1	1	1673900619	0	A	-	-	gz	Alat za istraživanje mreže i sigurnosni/port skener                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          g0                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         sU$ver 0      
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      <%9nmap0         R                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       $version$ 2.5.0 nmap -	1	1	1673900619	0	A	-	-	gz	Alat za istraživanje mreže i sigurnosni/port skener                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          ϚW             	          P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    
      E                                                                                          F                                                                                   }HQman q9         I   F<failT6      
   P   Hmanp:                                VWupda @         Y                                                                                   W?`cpidwa<         !                       m[man-9         E                       isuzgrou
7      	   1   Adpkg
5      	   >   ֯Ruser@         G                                                                                                       Sacce0      	   e                       sU$ver 0      
      -#apt-%2         s   zwhatC         [   ~?OzsoeD         D                       P{proc<         _   ^|remo+>      
   W                                           ؎rvim/?         J   fhvmstC         ;                       ŋJapt-1         A   Qfail6      
   7   UNvim B         J                                                                                                       +|gpkil<         !                                                                                                                                               sdgrou7      	   B                                           ٱ<pmap<         G                                                                                                       cinstX8         8                                                                                   mqfail5                                                                                                                o lexg9         P   wVuptig@         C   <%9nmapGE         [   ?newg;         2   U/rdeb-E         C                                                                                                       cexpi5         N   eapro0         X   FR&apt-2         J   Ulast8         s   ՟rvaliEA         E   ]sdpkg4         N                       f.<add-~0      
   Y                                                               I3apt_c3         ;                                                                                   k@Xprocc=         Q                                           Ivigr2B         P                       ܨ!save~?         5                                           I
grouD7      	   +                       SVchsht4         ;                       9Ocatm3         a                                           :
grpc8         <   2user A         =                                                               	Iiex  T5         J                       2rvie>         J   T}|free6         W                       WVmanc:         W   run->      
   F   N*apt-|1      
   S   U8apt-3      
   O   xc	chag4         X   g
whic7D         1   V3groux7      
   I   ?dpkgD         9   ~manp:      
   ]   opgre;            [viewA         J   +?Yproc=         _                       Y<sg  ?         B                                           +mandm:         b   *RmanpY;      
   =   PTwhicnD         1   T\vimdB         a                                                                                                                                                                   qvipw>C         P                                                               #apt-A1      
   1                       Z6svi  A         J                                                                                                       $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	wyświetla zawartość bazy danych man-db w formacie czytelnym dla ludzi add-shell -	8	8	1690587995	0	A	-	-	gz	dodaje powłokę do listy poprawnych powłok zgłoszeniowych apropos -	1	1	1678659839	0	A	-	-	gz	przeszukiwanie nazw i opisów stron podręcznika ekranowego apt-cache -	8	8	1685023897	0	A	-	-	gz	odpytanie bufora APT apt-cdrom -	8	8	1685023897	0	A	-	-	gz	Narzędzie APT do zarządzania źródłami typu CD-ROM apt-config -	8	8	1685023897	0	A	-	-	gz	Program odpytywania konfiguracji APT apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Narzędzie wyciągające z pakietów Debiana skrypty konfiguracyjne i szablony debconf apt-listchanges -	1	1	1616929604	0	A	-	-	gz	Wyświetla nowe wpisy zmian pakietów Debiana apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	Narzędzie użytkowe do sortowania plików indeksu apt_preferences -	5	5	1685023897	0	A	-	-	gz	Plik kontrolny preferencji APT catman -	8	8	1678659839	0	A	-	-	gz	tworzy lub aktualizuje preformatowane strony podręcznika ekranowego chage -	1	1	1744022326	0	A	-	-	gz	zmiana informacji o terminie ważności hasła użytkownika chsh -	1	1	1744022326	0	A	-	-	gz	zmiana powłoki zgłoszeniowej dpkg-split -	1	1	1683770641	0	A	-	-	gz	narzędzie dzielenia/łączenia pakietów Debiana dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	plik konfiguracyjny programu dpkg ex -	1	1	1739683421	0	B	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty expiry -	1	1	1744022326	0	A	-	-	gz	sprawdzenie ważności i wymuszenie zmiany hasła faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	login failure logging file faillog	8 -	8	8	1744022326	0	A	-	-	gz	display faillog records or set login failure limits free -	1	1	1671429998	0	A	-	-	gz	wyświetlanie ilości wolnej i użytej pamięci w systemie groupadd -	8	8	1744022326	0	A	-	-	gz	utwórz nową grupę groupdel -	8	8	1744022326	0	A	-	-	gz	delete a group groupmems -	8	8	1744022326	0	A	-	-	gz	administer members of a user's primary group groupmod -	8	8	1744022326	0	A	-	-	gz	modyfikuj definicję grupy systemowej grpck -	8	8	1744022326	0	A	-	-	gz	verify integrity of group files installkernel -	8	8	1690587995	0	A	-	-	gz	instaluje nowy obraz jądra lastlog -	8	8	1744022326	0	A	-	-	gz	wyświetla informacje o ostanim logowaniu dla wybranego lub wszystkich użytkowaników lexgrog -	1	1	1678659839	0	A	-	-	gz	przetwarza nagłówki stron podręcznika ekranowego man -	1	1	1678659839	0	A	-	t	gz	an interface to the system reference manuals man-recode -	1	1	1678659839	0	A	-	-	gz	convert manual pages to another encoding manconv -	1	1	1678659839	0	A	-	-	gz	konwertuje kodowania znaków stron podręcznika ekranowego mandb -	8	8	1678659839	0	A	-	t	gz	tworzy lub aktualizuje bufory indeksowe stron podręcznika ekranowego manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	określa ścieżkę przeszukiwania stron podręcznika ekranowego manpath	5 -	5	5	1678659839	0	A	-	-	gz	format pliku /etc/manpath.config newgrp -	1	1	1744022326	0	A	-	-	gz	log in to a new group pgrep -	1	1	1671429998	0	A	-	-	gz	wyszukiwanie, wysyłanie sygnałów lub oczekiwanie na procesy na podstawie nazwy i innych atrybutów pidwait -	1	1	1671429998	0	C	pgrep	-	gz	 pkill -	1	1	1671429998	0	C	pgrep	-	gz	 pmap -	1	1	1671429998	0	A	-	-	gz	informacje o odwzorowaniu pamięci procesu procps -	3	3	1671429998	0	A	-	-	gz	API do dostępu do informacji systemowych w systemie plików /proc procps_misc -	3	3	1671429998	0	A	-	-	gz	API do różnych informacji w systemie plików /proc procps_pids -	3	3	1671429998	0	A	-	-	gz	API do dostępu do informacji o procesach w systemie plików /proc remove-shell -	8	8	1690587995	0	A	-	-	gz	usuwa powłokę z listy poprawnych powłok zgłoszeniowych run-parts -	8	8	1690587995	0	A	-	-	gz	uruchamia skrypty lub programy w katalogu rview -	1	1	1739683421	0	B	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty rvim -	1	1	1739683421	0	B	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty savelog -	8	8	1690587995	0	A	-	-	gz	zachowuje plik dziennika sg -	1	1	1744022326	0	A	-	-	gz	execute command as different group ID update-passwd -	8	8	1663669371	0	A	-	-	gz	bezpiecznie aktualizuj /etc/passwd, /etc/shadow i /etc/group uptime -	1	1	1671429998	0	A	-	-	gz	informacja, jak długo działa system. userdel -	8	8	1744022326	0	A	-	-	gz	plik chroniony informacji o użytkownikach usermod -	8	8	1744022326	0	A	-	-	gz	zmiana danych konta użytkownika validlocale -	8	8	1741301213	0	A	-	-	gz	Sprawdza, czy dostępne jest dane locale vi -	1	1	1739683421	0	B	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty view -	1	1	1739683421	0	B	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty vigr -	8	8	1744022326	0	B	-	-	gz	edytuj plik haseł, grup lub ich wersji chronionych vim -	1	1	1739683421	0	A	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty vimdiff -	1	1	1739683421	0	A	-	-	gz	edytuj dwie, trzy lub cztery wersje pliku w Vimie i zobacz różnice vipw -	8	8	1744022326	0	A	-	-	gz	edytuj plik haseł, grup lub ich wersji chronionych vmstat -	8	8	1671429998	0	A	-	-	gz	statystyki pamięci wirtualnej whatis -	1	1	1678659839	0	A	-	-	gz	wyświetla jednolinijkowe opisy stron podręcznika systemowego which -	1	1	1690587995	0	B	-	-	gz	lokalizuje polecenie which.debianutils -	1	1	1690587995	0	A	-	-	gz	lokalizuje polecenie zsoelim -	1	1	1678659839	0	A	-	-	gz	wypełnia żądania .so w wejściu roff dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	dodaje wpisy do debian/files nmap -	1	1	1673900619	0	A	-	-	gz	Narzędzie do eksploracji sieci i skaner portów/zabezpieczeń deb-old -	5	5	1683770641	0	A	-	-	gz	stary format binarnego pakietu Debiana                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               ϚW             	          P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    ,       ?      	      F                                                                          F                                                                                   }HQman :         I   F<fail6      
   P   Hmanpj;                                VWupda!A         Y                                                                                   W?`cpidwV=         !                       m[man-S:         E                       isuzgrou7      	   1   Adpkg5      	   >   ֯RuserA         G                                                                                                       Sacce0      	   e                       sU$ver 0      
      -#apt-%2         s   zwhatD         [   ~?OzsoeE         D                       P{proc=         _   ^|remo ?      
   W                                           ؎rvimP@         J   fhvmstD         ;                       ŋJapt-1         A   Qfail6      
   7   UNvim C         J                                                                                                       +|gpkil=         !                                                                                                                                               sdgrou`8      	   B                                           ٱ<pmap=         G                                                                                                       cinst8         8                                                                                   mqfail6                                                                                                                o lexg9         P   <%9nmapn<         [   wVuptiA         C   ?newg5<         2   U/rdeb-4         C                                                                                                       cexpi66         N   eapro0         X   FR&apt-2         J   Ulast39         s   ՟rvalifB         E   ]sdpkgI5         N                       f.<add-~0      
   Y                                                               I3apt_c3         ;                                                                                   k@XprocX>         Q                                           IvigrSC         P                       ܨ!save@         5                                           I
grou7      	   +                       SVchsht4         ;                       9Ocatm3         a                                           :
grpc8         <   2user!B         =                                                               	Iiex  5         J                       2rvie @         J   T}|freeC7         W                       WVmanc:         W   run-?      
   F   N*apt-|1      
   S   U8apt-3      
   O   xc	chag4         X   g
whicXE         1   ?dpkg4         9   V3grou
8      
   I   ~manp;      
   ]   opgre<            [viewC         J   +?Yproc>         _                       Y<sg  @         B                                           +mand;         b   *Rmanp;      
   =   PTwhicE         1   T\vimdC         a                                                                                                                                                                   qvipw_D         P                                                               #apt-A1      
   1                       Z6svi  B         J                                                                                                       $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	wyświetla zawartość bazy danych man-db w formacie czytelnym dla ludzi add-shell -	8	8	1690587995	0	A	-	-	gz	dodaje powłokę do listy poprawnych powłok zgłoszeniowych apropos -	1	1	1678659839	0	A	-	-	gz	przeszukiwanie nazw i opisów stron podręcznika ekranowego apt-cache -	8	8	1685023897	0	A	-	-	gz	odpytanie bufora APT apt-cdrom -	8	8	1685023897	0	A	-	-	gz	Narzędzie APT do zarządzania źródłami typu CD-ROM apt-config -	8	8	1685023897	0	A	-	-	gz	Program odpytywania konfiguracji APT apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Narzędzie wyciągające z pakietów Debiana skrypty konfiguracyjne i szablony debconf apt-listchanges -	1	1	1616929604	0	A	-	-	gz	Wyświetla nowe wpisy zmian pakietów Debiana apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	Narzędzie użytkowe do sortowania plików indeksu apt_preferences -	5	5	1685023897	0	A	-	-	gz	Plik kontrolny preferencji APT catman -	8	8	1678659839	0	A	-	-	gz	tworzy lub aktualizuje preformatowane strony podręcznika ekranowego chage -	1	1	1744022326	0	A	-	-	gz	zmiana informacji o terminie ważności hasła użytkownika chsh -	1	1	1744022326	0	A	-	-	gz	zmiana powłoki zgłoszeniowej deb-old -	5	5	1683770641	0	A	-	-	gz	stary format binarnego pakietu Debiana dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	dodaje wpisy do debian/files dpkg-split -	1	1	1683770641	0	A	-	-	gz	narzędzie dzielenia/łączenia pakietów Debiana dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	plik konfiguracyjny programu dpkg ex -	1	1	1739683421	0	B	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty expiry -	1	1	1744022326	0	A	-	-	gz	sprawdzenie ważności i wymuszenie zmiany hasła faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	login failure logging file faillog	8 -	8	8	1744022326	0	A	-	-	gz	display faillog records or set login failure limits free -	1	1	1671429998	0	A	-	-	gz	wyświetlanie ilości wolnej i użytej pamięci w systemie groupadd -	8	8	1744022326	0	A	-	-	gz	utwórz nową grupę groupdel -	8	8	1744022326	0	A	-	-	gz	delete a group groupmems -	8	8	1744022326	0	A	-	-	gz	administer members of a user's primary group groupmod -	8	8	1744022326	0	A	-	-	gz	modyfikuj definicję grupy systemowej grpck -	8	8	1744022326	0	A	-	-	gz	verify integrity of group files installkernel -	8	8	1690587995	0	A	-	-	gz	instaluje nowy obraz jądra lastlog -	8	8	1744022326	0	A	-	-	gz	wyświetla informacje o ostanim logowaniu dla wybranego lub wszystkich użytkowaników lexgrog -	1	1	1678659839	0	A	-	-	gz	przetwarza nagłówki stron podręcznika ekranowego man -	1	1	1678659839	0	A	-	t	gz	an interface to the system reference manuals man-recode -	1	1	1678659839	0	A	-	-	gz	convert manual pages to another encoding manconv -	1	1	1678659839	0	A	-	-	gz	konwertuje kodowania znaków stron podręcznika ekranowego mandb -	8	8	1678659839	0	A	-	t	gz	tworzy lub aktualizuje bufory indeksowe stron podręcznika ekranowego manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	określa ścieżkę przeszukiwania stron podręcznika ekranowego manpath	5 -	5	5	1678659839	0	A	-	-	gz	format pliku /etc/manpath.config newgrp -	1	1	1744022326	0	A	-	-	gz	log in to a new group nmap -	1	1	1673900619	0	A	-	-	gz	Narzędzie do eksploracji sieci i skaner portów/zabezpieczeń pgrep -	1	1	1671429998	0	A	-	-	gz	wyszukiwanie, wysyłanie sygnałów lub oczekiwanie na procesy na podstawie nazwy i innych atrybutów pidwait -	1	1	1671429998	0	C	pgrep	-	gz	 pkill -	1	1	1671429998	0	C	pgrep	-	gz	 pmap -	1	1	1671429998	0	A	-	-	gz	informacje o odwzorowaniu pamięci procesu procps -	3	3	1671429998	0	A	-	-	gz	API do dostępu do informacji systemowych w systemie plików /proc procps_misc -	3	3	1671429998	0	A	-	-	gz	API do różnych informacji w systemie plików /proc procps_pids -	3	3	1671429998	0	A	-	-	gz	API do dostępu do informacji o procesach w systemie plików /proc remove-shell -	8	8	1690587995	0	A	-	-	gz	usuwa powłokę z listy poprawnych powłok zgłoszeniowych run-parts -	8	8	1690587995	0	A	-	-	gz	uruchamia skrypty lub programy w katalogu                                             rview -	1	1	1739683421	0	B	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty rvim -	1	1	1739683421	0	B	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty savelog -	8	8	1690587995	0	A	-	-	gz	zachowuje plik dziennika sg -	1	1	1744022326	0	A	-	-	gz	execute command as different group ID update-passwd -	8	8	1663669371	0	A	-	-	gz	bezpiecznie aktualizuj /etc/passwd, /etc/shadow i /etc/group uptime -	1	1	1671429998	0	A	-	-	gz	informacja, jak długo działa system. userdel -	8	8	1744022326	0	A	-	-	gz	plik chroniony informacji o użytkownikach usermod -	8	8	1744022326	0	A	-	-	gz	zmiana danych konta użytkownika validlocale -	8	8	1741301213	0	A	-	-	gz	Sprawdza, czy dostępne jest dane locale vi -	1	1	1739683421	0	B	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty view -	1	1	1739683421	0	B	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty vigr -	8	8	1744022326	0	B	-	-	gz	edytuj plik haseł, grup lub ich wersji chronionych vim -	1	1	1739683421	0	A	-	-	gz	Vi rozbudowany, edytor tekstu dla programisty vimdiff -	1	1	1739683421	0	A	-	-	gz	edytuj dwie, trzy lub cztery wersje pliku w Vimie i zobacz różnice vipw -	8	8	1744022326	0	A	-	-	gz	edytuj plik haseł, grup lub ich wersji chronionych vmstat -	8	8	1671429998	0	A	-	-	gz	statystyki pamięci wirtualnej whatis -	1	1	1678659839	0	A	-	-	gz	wyświetla jednolinijkowe opisy stron podręcznika systemowego which -	1	1	1690587995	0	B	-	-	gz	lokalizuje polecenie which.debianutils -	1	1	1690587995	0	A	-	-	gz	lokalizuje polecenie zsoelim -	1	1	1678659839	0	A	-	-	gz	wypełnia żądania .so w wejściu roff                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   ϚW             	          `                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           O      
       ?      2       EI            YS                                          u   0:8dpkgC         4   sdpkgA         M   qyfakeI      
   m   M%deb-mK         B   }HQman 8         F   b[dpkg3         O   F<fail6      
   P   HmanpI:            6_dpkgB         ;   y5deb R         8   '`deb8R         :                                                                                   m[man->9         R                       isuzgrou6      	   .   Adpkg5      	   7   GHpido*<            ֯Ruser?         L   [qa0dpkg9C         =                       k#ZdpkgC         S   {vddeb-9L         I   Sacce0      	   ]   pass;      	   6   sU$ver 0      
      zwhat@         H   ~?Ozsoe@         B   EPdeb-K         <                       P{proc<                                                                        fhvmst?                                                    Qfail5      
   7                                                               xd=dpkgF         X                                                               +|gpkilM<         !   "fakewI      	   m                                                                                   vdeb-P         B   -'passy;            sdgrouc7      	   C   pdpkg1      	   P   *0dpkgA         R   ٱ<pmapt<            WfakeF            =Edeb-L         8                       EsyscY>            O	kill,8            _Sdeb-Q         S   	(dpkgU2         C                       w?deb-gJ         G   (dpkg-D         L   =dpkg2         X   mqfail5            5'fakeH         m                                                               o lexg8         <   wVupti>            +i"dpkg4         E   :gdpkg4      
   <   ?newg:         3   4.watc`@            r^dpkgD         :   xVdpkgE         8   'Pdpkg/F         T   "mdpkg1         E   cexpi_5         X   eaprov0         L   UlastN8         Z   e ps  =         H   zdeb-L         C   ]sdpkg,4         H   U/rdeb-(M         <   SRpass;      	   ,   jdsc S         F                       [Ddeb-
K         U                       e<7dpkg@E         9   deb- P      
   C                                           k@Xproc<            1deb-N         N                       Ivigro?         [                                                                                   I
grou6      	   -   ^U,jdpkgO         )   SVchshz1         3   QdpkgA         U   9Ocatm0         S   "deb-MP         P   C*
dpkg3         Q   :
grpc7         B                                           Kdfake,H      
                                                                  a+7deb-J         B   T}|freev6            t)deb-P         ;   ogsha7         -   WVmanc9         Q   A2Znolo8;         9   +dpkgD      
   Z   xc	chag$1         P   lN[deb-mO         J   dpkgw3         K   V3grou7      
   T   ~manpf:      
   @   opgre<            ?dpkgB         =   +?Yproc<            ;Ldeb-lM         H   Y<sg  =         =   ydeb-M      
   =   ctdeb-O      
   M   +mand9         O   *Rmanp:      
   D   ,Astar>         C   s-deb-FQ         K                                           bbpwckW=         C   꽛fdeb-TR      
   1   & )upda>         a   W{fakeG            e deb-Q         F                       qvipw @         [                                                               P
>slab=            K deb-	N      
   N   [chdpkgE         L   Hdeb-dN         M   }/dpkgK      
   '                                           c<GdpkgDB         F   $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	dumpar innehåller från en man-db-databas i ett läsbart format apropos -	1	1	1678659839	0	A	-	-	gz	genomsök namn och beskrivningar av manualsidor catman -	8	8	1678659839	0	A	-	-	gz	skapa eller uppdatera de förformaterade manualsidorna chage -	1	1	1744022326	0	A	-	-	gz	ändra åldringsinformation för användarlösenord chsh -	1	1	1744022326	0	A	-	-	gz	ändra inloggningsskal dpkg -	1	1	1683770641	0	A	-	-	gz	en mellannivåpakethanterare för Debian dpkg-deb -	1	1	1683770641	0	A	-	-	gz	Debians manipuleringsverktyg för paketarkiv (.deb) dpkg-divert -	1	1	1683770641	0	A	-	-	gz	överstyr ett pakets version av en fil dpkg-fsys-usrunmess -	8	8	1683770641	0	A	-	-	gz	gör röran med sammanslagen-/usr-via-aliaskatalogen ogjord dpkg-maintscript-helper -	1	1	1683770641	0	A	-	-	gz	går runt kända dpkg-begränsningar i paketskript dpkg-query -	1	1	1683770641	0	A	-	-	gz	ett verktyg för att slå upp i dpkg-databasen dpkg-realpath -	1	1	1683770641	0	A	-	-	gz	skriv det lösta sökvägsnamnet med DPKG_ROOT-stöd dpkg-split -	1	1	1683770641	0	A	-	-	gz	Verktyg för att dela/slå ihop Debianpaket dpkg-statoverride -	1	1	1683770641	0	A	-	-	gz	överstyr ägarskap och läge för filer dpkg-trigger -	1	1	1683770641	0	A	-	-	gz	ett verktyg för paketutlösare dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	inställningsfil för dpkg expiry -	1	1	1744022326	0	A	-	-	gz	kontrollera och upprätthåll policy för lösenordsutgång faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	login failure logging file faillog	8 -	8	8	1744022326	0	A	-	-	gz	display faillog records or set login failure limits free -	1	1	1671429998	0	A	-	-	gz	 groupadd -	8	8	1744022326	0	A	-	-	gz	skapa en ny grupp groupdel -	8	8	1744022326	0	A	-	-	gz	ta bort en grupp groupmems -	8	8	1744022326	0	A	-	-	gz	administrera medlemmar av en användares primära grupp groupmod -	8	8	1744022326	0	A	-	-	gz	ändra en gruppdefinition på systemet grpck -	8	8	1744022326	0	A	-	-	gz	validera integriteten för gruppfiler gshadow -	5	5	1744022326	0	A	-	-	gz	skuggad gruppfil kill -	1	1	1671429998	0	A	-	-	gz	 lastlog -	8	8	1744022326	0	A	-	-	gz	reports the most recent login of all users or of a given user lexgrog -	1	1	1678659839	0	A	-	-	gz	tolka rubrikhuvud i manualsidor man -	1	1	1678659839	0	A	-	t	gz	ett gränssnitt för systemferensmanualer man-recode -	1	1	1678659839	0	A	-	-	gz	konvertera manualsidor från en kodning till en annan manconv -	1	1	1678659839	0	A	-	-	gz	konvertera manualsida från en kodning till en annan mandb -	8	8	1678659839	0	A	-	t	gz	skapa eller uppdatera indexcachar för manualsidor manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	bestäm sökvägen för manualsidor manpath	5 -	5	5	1678659839	0	A	-	-	gz	formatet för filen /etc/manpath.config newgrp -	1	1	1744022326	0	A	-	-	gz	logga in i en ny grupp nologin -	8	8	1744022326	0	A	-	-	gz	vägra snällt en inloggning passwd 	passwd	1	passwd	5 passwd	1 -	1	1	1744022326	0	A	-	-	gz	ändra användarlösenord passwd	5 -	5	5	1744022326	0	A	-	-	gz	lösenordsfilen pgrep -	1	1	1671429998	0	A	-	-	gz	 pidof -	1	1	1671429998	0	A	-	-	gz	 pkill -	1	1	1671429998	0	C	pgrep	-	gz	 pmap -	1	1	1671429998	0	A	-	-	gz	 procps -	3	3	1671429998	0	A	-	-	gz	 procps_misc -	3	3	1671429998	0	A	-	-	gz	 procps_pids -	3	3	1671429998	0	A	-	-	gz	 ps -	1	1	1671429998	0	A	-	t	gz	report a snapshot of the current processes. pwck -	8	8	1744022326	0	A	-	-	gz	verify the integrity of password files sg -	1	1	1744022326	0	A	-	-	gz	kör kommando med annat grupp-id slabtop -	1	1	1671429998	0	A	-	t	gz	 start-stop-daemon -	8	8	1683770641	0	A	-	-	gz	startar och stoppar bakgrundsprocesser sysctl.conf -	5	5	1671429998	0	A	-	-	gz	 update-alternatives -	1	1	1683770641	0	A	-	-	gz	underhåller symboliska länkar för att bestämma standardkommandon uptime -	1	1	1671429998	0	A	-	-	gz	 userdel -	8	8	1744022326	0	A	-	-	gz	ta bort ett användarkonto och relaterade filer vigr -	8	8	1744022326	0	B	-	-	gz	redigera lösenordet, grupp, skugglösenord eller skuggruppfil vmstat -	8	8	1671429998	0	A	-	-	gz	              vipw -	8	8	1744022326	0	A	-	-	gz	redigera lösenordet, grupp, skugglösenord eller skuggruppfil watch -	1	1	1671429998	0	A	-	-	gz	 whatis -	1	1	1678659839	0	A	-	-	gz	visa en-rads-beskrivningar för manualsidor zsoelim -	1	1	1678659839	0	A	-	-	gz	uppfyll .so-begäran i roff-inmatning dpkg-architecture -	1	1	1683770641	0	A	-	-	gz	ställ in och bestäm arkitektur för paket som byggs dpkg-buildflags -	1	1	1683770641	0	A	-	-	gz	returnerar byggflaggor att använda för att bygga paket dpkg-buildpackage -	1	1	1683770641	0	A	-	-	gz	bygg binär- eller källkodspaket från källkod dpkg-checkbuilddeps -	1	1	1683770641	0	A	-	-	gz	kontrollera byggberoenden och -konflikter dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	lägg till poster i debian/files dpkg-genbuildinfo -	1	1	1683770641	0	A	-	-	gz	skapa Debians .buildinfo-filer dpkg-genchanges -	1	1	1683770641	0	A	-	-	gz	skapa .changes-filer för Debian dpkg-gencontrol -	1	1	1683770641	0	A	-	-	gz	skapa Debians styrfiler dpkg-gensymbols -	1	1	1683770641	0	A	-	-	gz	generera symbolfiler (information om delade bibliotek) dpkg-mergechangelogs -	1	1	1683770641	0	A	-	-	gz	trevägssammanslagning av Debianändringsloggar dpkg-name -	1	1	1683770641	0	A	-	-	gz	byt namnet på Debianpaket till det fullständiga paketnamnet dpkg-parsechangelog -	1	1	1683770641	0	A	-	-	gz	tolka Debians ändringsloggar dpkg-scanpackages -	1	1	1683770641	0	A	-	-	gz	skapar indexfilerna Packages dpkg-scansources -	1	1	1683770641	0	A	-	-	gz	skapar indexfilerna Sources dpkg-shlibdeps -	1	1	1683770641	0	A	-	-	gz	skapar substvar-beroenden för delade bibliotek dpkg-source -	1	1	1683770641	0	A	-	-	gz	Verktyg för att manipulera Debiankällkodspaket (.dsc) dpkg-vendor -	1	1	1683770641	0	A	-	-	gz	frågar efter information om distributionsåterförsäljare faked -	1	1	1679131320	0	B	-	-	gz	demon som kommer ihåg fejkad ägarskaps- och rättighetsinformation för filer som manipulerats av fakeroot-processer. faked-sysv -	1	1	1679131320	0	A	-	-	gz	demon som kommer ihåg fejkad ägarskaps- och rättighetsinformation för filer som manipulerats av fakeroot-processer. faked-tcp -	1	1	1679131320	0	A	-	-	gz	demon som kommer ihåg fejkad ägarskaps- och rättighetsinformation för filer som manipulerats av fakeroot-processer. fakeroot-sysv -	1	1	1679131320	0	A	-	-	gz	utför ett kommando i en miljö som fejkar root-privilegier för filmanipulation fakeroot -	1	1	1679131320	0	C	fakeroot-sysv	-	gz	 fakeroot -	1	1	1679131320	0	B	-	-	gz	utför ett kommando i en miljö som fejkar root-privilegier för filmanipulation fakeroot-tcp -	1	1	1679131320	0	A	-	-	gz	utför ett kommando i en miljö som fejkar root-privilegier för filmanipulation deb-version -	7	7	1683770641	0	A	-	-	gz	Format på versionsnummer för Debianpaket deb-buildinfo -	5	5	1683770641	0	A	-	-	gz	filformat för Debiansbygginformation deb-changelog -	5	5	1683770641	0	A	-	-	gz	filformat för ändringsloggfiler i Deibankällkodspaket deb-changes -	5	5	1683770641	0	A	-	-	gz	filformat för Debians ändringsfiler dpkg-changes -	5	5	1683770641	0	C	deb-changes	-	gz	 deb-conffiles -	5	5	1683770641	0	A	-	-	gz	konfigurationsfiler från paket deb-control -	5	5	1683770641	0	A	-	-	gz	huvudstyrfilsformat för Debians binärpaket deb-extra-override -	5	5	1683770641	0	A	-	-	gz	Debianarkivets extra överstyrningsfil deb-md5sums -	5	5	1683770641	0	A	-	-	gz	MD5-filkondensat för paket deb-old -	5	5	1683770641	0	A	-	-	gz	Debians gamla binärpaketformat deb-origin -	5	5	1683770641	0	A	-	-	gz	Återförsäljarspecifika informationsfiler deb-override -	5	5	1683770641	0	A	-	-	gz	Debianarkivets överstyrningsfil deb-postinst -	5	5	1683770641	0	A	-	-	gz	paketutvecklarskript som körs efter installation deb-postrm -	5	5	1683770641	0	A	-	-	gz	paketutvecklarskript som körs efter borttagning deb-preinst -	5	5	1683770641	0	A	-	-	gz	paketutvecklarskript som körs före installation deb-prerm -	5	5	1683770641	0	A	-	-	gz	paketutvecklarskript som körs före borttagning deb-shlibs -	5	5	1683770641	0	A	-	-	gz	Debians informationsfil för delade bibliotek dpkg-src-files -	5	5	1683770641	0	C	deb-src-files	-	gz	       deb-split -	5	5	1683770641	0	A	-	-	gz	Debians flerdelade binära paketformat deb-src-control -	5	5	1683770641	0	A	-	-	gz	Debians filformat för källkodspakets huvudstyrfil deb-src-files -	5	5	1683770641	0	A	-	-	gz	Debians distributionsfilformat deb-src-rules -	5	5	1683770641	0	A	-	-	gz	Debians fil för källkodspaketregler deb-src-symbols -	5	5	1683770641	0	A	-	-	gz	Debians utökade mallfil för delade bibliotek deb-substvars -	5	5	1683770641	0	A	-	-	gz	Debians källkods-substitueringsvariabler deb-symbols -	5	5	1683770641	0	A	-	-	gz	Debians utökade informationsfil för delade bibliotek deb-triggers -	5	5	1683770641	0	A	-	-	gz	utlösare för paket deb -	5	5	1683770641	0	A	-	-	gz	Debians binära paketformat deb822 -	5	5	1683770641	0	A	-	-	gz	Debians RFC822-styrdataformat dsc -	5	5	1683770641	0	A	-	-	gz	styrfilformat för Debians källkodspaket                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        ϚW             	          `                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           O            0S                                                                          u   c<Gdpkg;         F   sdpkg:         M   0:8dpkg=         4   M%deb-2         B   qyfakeH      
   m   b[dpkg>         O   F<failD      
   P   6_dpkgJ=         ;   }HQman J         F   HmanpNL            '`deb89         :                                                                                   m[man-CK         R                       isuzgrouH      	   .   AdpkgC      	   7   GHpido/N            ֯Ruser<Q         L   [qa0dpkg=         =                       {vddeb-93         I   k#Zdpkg(>         S   Sacce0      	   ]   passM      	   6   sU$ver 0      
      EPdeb-2         <   zwhatR         H   ~?OzsoeR         B                       P{procN                                                                        fhvmstPR                                                    QfailD      
   7                                                               xd=dpkg4C         X                                                               +|gpkilRN         !   "fakeG      	   m                                                                                   vdeb-7         B   -'pass~M            sdgrouhI      	   C   pdpkg;      	   P   *0dpkg2:         R   ٱ<pmapyN            =Edeb-3         8   Wfake9E                                EsysczP            _Sdeb-8         S   O	kill1J            	(dpkg<         C                       w?deb-T9         G   (dpkg>         L   =dpkg<         X   mqfailD            5'fakeG         m                                                               o lexgJ         <   xVdpkg?         8   +i"dpkgB         E   :gdpkgB      
   <   U/rdeb-(4         <   r^dpkg @         :   'PdpkgA         T   zdeb-3         C   ?newgM         3   "mdpkg9         E   cexpi"D         X   eaprov0         L   UlastSJ         Z   e ps  O         H   wVuptiQ            ]sdpkg	B         H   jdsc C         F   SRpassM      	   ,   4.watctR                                [Ddeb->2         U                       deb-6      
   C   e<7dpkgA         9                                           1deb-5         N   k@XprocN                                IvigrQ         [                                                                                   I
grouH      	   -   ^U,jdpkg\B         )   SVchshz1         3   Qdpkg:         U   9Ocatm0         S   "deb-7         P   C*
dpkg@         Q   :
grpcI         B                                           KdfakerF      
                                                                  a+7deb-1         B   T}|free{H            t)deb-o7         ;   ogshaI         -   WVmancK         Q   A2Znolo=M         9   +dpkgS?      
   Z   xc	chag$1         P   lN[deb-m6         J   ?dpkgA<         =   ctdeb-6      
   M   ;Ldeb-l4         H   dpkgN@         K   V3grou
I      
   T   s-deb-8         K   ~manpkL      
   @   opgreN            ydeb-4      
   =   +?YprocN            +mandK         O   *RmanpL      
   D   Y<sg  O         =   ,Astar%P         C                                           꽛fdeb-9      
   1   bbpwck\O         C   W{fakeE            e deb-c8         F   & )updaP         a                       qvipwQ         [                                                               K deb-	5      
   N   Hdeb-d5         M   [chdpkgNA         L   P
>slab P            }/dpkgZ;      
   '                                           y5deb 1         8   $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	dumpar innehåller från en man-db-databas i ett läsbart format apropos -	1	1	1678659839	0	A	-	-	gz	genomsök namn och beskrivningar av manualsidor catman -	8	8	1678659839	0	A	-	-	gz	skapa eller uppdatera de förformaterade manualsidorna chage -	1	1	1744022326	0	A	-	-	gz	ändra åldringsinformation för användarlösenord chsh -	1	1	1744022326	0	A	-	-	gz	ändra inloggningsskal deb -	5	5	1683770641	0	A	-	-	gz	Debians binära paketformat deb-buildinfo -	5	5	1683770641	0	A	-	-	gz	filformat för Debiansbygginformation deb-changelog -	5	5	1683770641	0	A	-	-	gz	filformat för ändringsloggfiler i Deibankällkodspaket deb-changes -	5	5	1683770641	0	A	-	-	gz	filformat för Debians ändringsfiler deb-conffiles -	5	5	1683770641	0	A	-	-	gz	konfigurationsfiler från paket deb-control -	5	5	1683770641	0	A	-	-	gz	huvudstyrfilsformat för Debians binärpaket deb-extra-override -	5	5	1683770641	0	A	-	-	gz	Debianarkivets extra överstyrningsfil deb-md5sums -	5	5	1683770641	0	A	-	-	gz	MD5-filkondensat för paket deb-old -	5	5	1683770641	0	A	-	-	gz	Debians gamla binärpaketformat deb-origin -	5	5	1683770641	0	A	-	-	gz	Återförsäljarspecifika informationsfiler deb-override -	5	5	1683770641	0	A	-	-	gz	Debianarkivets överstyrningsfil deb-postinst -	5	5	1683770641	0	A	-	-	gz	paketutvecklarskript som körs efter installation deb-postrm -	5	5	1683770641	0	A	-	-	gz	paketutvecklarskript som körs efter borttagning deb-preinst -	5	5	1683770641	0	A	-	-	gz	paketutvecklarskript som körs före installation deb-prerm -	5	5	1683770641	0	A	-	-	gz	paketutvecklarskript som körs före borttagning deb-shlibs -	5	5	1683770641	0	A	-	-	gz	Debians informationsfil för delade bibliotek deb-split -	5	5	1683770641	0	A	-	-	gz	Debians flerdelade binära paketformat deb-src-control -	5	5	1683770641	0	A	-	-	gz	Debians filformat för källkodspakets huvudstyrfil deb-src-files -	5	5	1683770641	0	A	-	-	gz	Debians distributionsfilformat deb-src-rules -	5	5	1683770641	0	A	-	-	gz	Debians fil för källkodspaketregler deb-src-symbols -	5	5	1683770641	0	A	-	-	gz	Debians utökade mallfil för delade bibliotek deb-substvars -	5	5	1683770641	0	A	-	-	gz	Debians källkods-substitueringsvariabler deb-symbols -	5	5	1683770641	0	A	-	-	gz	Debians utökade informationsfil för delade bibliotek deb-triggers -	5	5	1683770641	0	A	-	-	gz	utlösare för paket deb-version -	7	7	1683770641	0	A	-	-	gz	Format på versionsnummer för Debianpaket deb822 -	5	5	1683770641	0	A	-	-	gz	Debians RFC822-styrdataformat dpkg -	1	1	1683770641	0	A	-	-	gz	en mellannivåpakethanterare för Debian dpkg-architecture -	1	1	1683770641	0	A	-	-	gz	ställ in och bestäm arkitektur för paket som byggs dpkg-buildflags -	1	1	1683770641	0	A	-	-	gz	returnerar byggflaggor att använda för att bygga paket dpkg-buildpackage -	1	1	1683770641	0	A	-	-	gz	bygg binär- eller källkodspaket från källkod dpkg-changes -	5	5	1683770641	0	C	deb-changes	-	gz	 dpkg-checkbuilddeps -	1	1	1683770641	0	A	-	-	gz	kontrollera byggberoenden och -konflikter dpkg-deb -	1	1	1683770641	0	A	-	-	gz	Debians manipuleringsverktyg för paketarkiv (.deb) dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	lägg till poster i debian/files dpkg-divert -	1	1	1683770641	0	A	-	-	gz	överstyr ett pakets version av en fil dpkg-fsys-usrunmess -	8	8	1683770641	0	A	-	-	gz	gör röran med sammanslagen-/usr-via-aliaskatalogen ogjord dpkg-genbuildinfo -	1	1	1683770641	0	A	-	-	gz	skapa Debians .buildinfo-filer dpkg-genchanges -	1	1	1683770641	0	A	-	-	gz	skapa .changes-filer för Debian dpkg-gencontrol -	1	1	1683770641	0	A	-	-	gz	skapa Debians styrfiler dpkg-gensymbols -	1	1	1683770641	0	A	-	-	gz	generera symbolfiler (information om delade bibliotek) dpkg-maintscript-helper -	1	1	1683770641	0	A	-	-	gz	går runt kända dpkg-begränsningar i paketskript dpkg-mergechangelogs -	1	1	1683770641	0	A	-	-	gz	trevägssammanslagning av Debianändringsloggar dpkg-name -	1	1	1683770641	0	A	-	-	gz	byt namnet på Debianpaket till det fullständiga paketnamnet dpkg-scansources -	1	1	1683770641	0	A	-	-	gz	skapar indexfilerna Sources dpkg-parsechangelog -	1	1	1683770641	0	A	-	-	gz	tolka Debians ändringsloggar dpkg-query -	1	1	1683770641	0	A	-	-	gz	ett verktyg för att slå upp i dpkg-databasen dpkg-realpath -	1	1	1683770641	0	A	-	-	gz	skriv det lösta sökvägsnamnet med DPKG_ROOT-stöd dpkg-scanpackages -	1	1	1683770641	0	A	-	-	gz	skapar indexfilerna Packages dpkg-shlibdeps -	1	1	1683770641	0	A	-	-	gz	skapar substvar-beroenden för delade bibliotek dpkg-source -	1	1	1683770641	0	A	-	-	gz	Verktyg för att manipulera Debiankällkodspaket (.dsc) dpkg-split -	1	1	1683770641	0	A	-	-	gz	Verktyg för att dela/slå ihop Debianpaket dpkg-src-files -	5	5	1683770641	0	C	deb-src-files	-	gz	 dpkg-statoverride -	1	1	1683770641	0	A	-	-	gz	överstyr ägarskap och läge för filer dpkg-trigger -	1	1	1683770641	0	A	-	-	gz	ett verktyg för paketutlösare dpkg-vendor -	1	1	1683770641	0	A	-	-	gz	frågar efter information om distributionsåterförsäljare dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	inställningsfil för dpkg dsc -	5	5	1683770641	0	A	-	-	gz	styrfilformat för Debians källkodspaket expiry -	1	1	1744022326	0	A	-	-	gz	kontrollera och upprätthåll policy för lösenordsutgång faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	login failure logging file faillog	8 -	8	8	1744022326	0	A	-	-	gz	display faillog records or set login failure limits faked -	1	1	1679131320	0	B	-	-	gz	demon som kommer ihåg fejkad ägarskaps- och rättighetsinformation för filer som manipulerats av fakeroot-processer. faked-sysv -	1	1	1679131320	0	A	-	-	gz	demon som kommer ihåg fejkad ägarskaps- och rättighetsinformation för filer som manipulerats av fakeroot-processer. faked-tcp -	1	1	1679131320	0	A	-	-	gz	demon som kommer ihåg fejkad ägarskaps- och rättighetsinformation för filer som manipulerats av fakeroot-processer. fakeroot -	1	1	1679131320	0	B	-	-	gz	utför ett kommando i en miljö som fejkar root-privilegier för filmanipulation fakeroot-sysv -	1	1	1679131320	0	A	-	-	gz	utför ett kommando i en miljö som fejkar root-privilegier för filmanipulation fakeroot-tcp -	1	1	1679131320	0	A	-	-	gz	utför ett kommando i en miljö som fejkar root-privilegier för filmanipulation free -	1	1	1671429998	0	A	-	-	gz	 groupadd -	8	8	1744022326	0	A	-	-	gz	skapa en ny grupp groupdel -	8	8	1744022326	0	A	-	-	gz	ta bort en grupp groupmems -	8	8	1744022326	0	A	-	-	gz	administrera medlemmar av en användares primära grupp groupmod -	8	8	1744022326	0	A	-	-	gz	ändra en gruppdefinition på systemet grpck -	8	8	1744022326	0	A	-	-	gz	validera integriteten för gruppfiler gshadow -	5	5	1744022326	0	A	-	-	gz	skuggad gruppfil kill -	1	1	1671429998	0	A	-	-	gz	 lastlog -	8	8	1744022326	0	A	-	-	gz	reports the most recent login of all users or of a given user lexgrog -	1	1	1678659839	0	A	-	-	gz	tolka rubrikhuvud i manualsidor man -	1	1	1678659839	0	A	-	t	gz	ett gränssnitt för systemferensmanualer man-recode -	1	1	1678659839	0	A	-	-	gz	konvertera manualsidor från en kodning till en annan manconv -	1	1	1678659839	0	A	-	-	gz	konvertera manualsida från en kodning till en annan mandb -	8	8	1678659839	0	A	-	t	gz	skapa eller uppdatera indexcachar för manualsidor manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	bestäm sökvägen för manualsidor manpath	5 -	5	5	1678659839	0	A	-	-	gz	formatet för filen /etc/manpath.config newgrp -	1	1	1744022326	0	A	-	-	gz	logga in i en ny grupp nologin -	8	8	1744022326	0	A	-	-	gz	vägra snällt en inloggning passwd 	passwd	1	passwd	5 passwd	1 -	1	1	1744022326	0	A	-	-	gz	ändra användarlösenord passwd	5 -	5	5	1744022326	0	A	-	-	gz	lösenordsfilen pgrep -	1	1	1671429998	0	A	-	-	gz	 pidof -	1	1	1671429998	0	A	-	-	gz	 pkill -	1	1	1671429998	0	C	pgrep	-	gz	 pmap -	1	1	1671429998	0	A	-	-	gz	 procps -	3	3	1671429998	0	A	-	-	gz	 procps_misc -	3	3	1671429998	0	A	-	-	gz	 procps_pids -	3	3	1671429998	0	A	-	-	gz	 ps -	1	1	1671429998	0	A	-	t	gz	report a snapshot of the current processes. pwck -	8	8	1744022326	0	A	-	-	gz	verify the integrity of password files sg -	1	1	1744022326	0	A	-	-	gz	kör kommando med annat grupp-id                             slabtop -	1	1	1671429998	0	A	-	t	gz	 start-stop-daemon -	8	8	1683770641	0	A	-	-	gz	startar och stoppar bakgrundsprocesser sysctl.conf -	5	5	1671429998	0	A	-	-	gz	 update-alternatives -	1	1	1683770641	0	A	-	-	gz	underhåller symboliska länkar för att bestämma standardkommandon uptime -	1	1	1671429998	0	A	-	-	gz	 userdel -	8	8	1744022326	0	A	-	-	gz	ta bort ett användarkonto och relaterade filer vigr -	8	8	1744022326	0	B	-	-	gz	redigera lösenordet, grupp, skugglösenord eller skuggruppfil vipw -	8	8	1744022326	0	A	-	-	gz	redigera lösenordet, grupp, skugglösenord eller skuggruppfil vmstat -	8	8	1671429998	0	A	-	-	gz	 watch -	1	1	1671429998	0	A	-	-	gz	 whatis -	1	1	1678659839	0	A	-	-	gz	visa en-rads-beskrivningar för manualsidor zsoelim -	1	1	1678659839	0	A	-	-	gz	uppfyll .so-begäran i roff-inmatning                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 ϚW             	          P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    2       ?            K                                                                          R                                                                                   }HQman =         I   F<fail9      
   U   Hmanp?            	'{Lapt-4         B   VWupdaE         T   EsourE      
   H                                                                                                       m[man-?>         E                       isuzgrou4:      	   A   Adpkg7      	   7   eclogi=         B   ֯RuserF         \                                                                                   SacceF0      	   ^   passfA      	   D   sU$ver 0      
      -#apt-2            [-kapt.E5      	   6    =Wuser`F         h   vshadXE         J   ^|remoEC      
   S   zwhatI         F   X)'apt h1         J   Cgrpc_;         p   ؎rvimkD         T   ~?OzsoeJ         ?                       ŋJapt-R2         <   Qfail79      
   J   UNvim H         T                                                                                                                                                                   ?	gpas9         B   Icm&chpa6      	   Y                                           -'pass?            sdgrou:      	   8                                           @apwunB      	   p   S7dychfn6         J                                                               <zXapt-4      	   \   ~-/etc0         &   ZW.apt-3         |   zigrpu;      
   p   cinstQ<         S                       mqfail9                                                                                                                o lexg<         Y   <%9nmap6K         p                       ?newg@         G   U/rdeb-K         I                                                                                   P|pwcoUB         p   cexpi8         _   eapro1         Y   Ulast<         =                                           ]sdpkg7         [                       f.<add-0      
   P   y}dpkg/8      
   $   SRpassA      	   8                       I3apt_5         <                                                                                                                                               Ivigr0H         b                       ܨ!saveD         8                                           I
grou~:      	   8                       SVchshC7         A   NhlogiX=         G   9Ocatm5         Y                                           :
grpc ;         Y   2user4G         D                                                               	Iiex  ]8         T                       2rvieD         T                                           WVmanc>            run-C      
   b   N*apt-2      
   C   U8apt-4      
   k   xc	chag06         \   g
whicJ         2   ?dpkgJ         H                       ~manp @      
   V   [viewG         T                                                               Y<sg  E         Q                                           +mand ?         q   *Rmanp`@      
   F   PTwhicRJ         2   T\vimdH         o                       G6hapt-23         V   Nnewu@      	   _   bbpwckA         \                                                                                   qvipwfI         b                                                               #apt-1      
   E                       Z6svi  G         T                                                                                                       $version$ 2.5.0 /etc/login.defs -	5	5	1744022326	0	C	login.defs	-	gz	 accessdb -	8	8	1678659839	0	A	-	-	gz	dumps the content of a man-db database in a human readable format add-shell -	8	8	1690587995	0	A	-	-	gz	有効ログインシェル一覧にシェル追加 apropos -	1	1	1678659839	0	A	-	-	gz	マニュアルページの名前と要約文を検索する apt -	8	8	1685023897	0	A	-	-	gz	コマンドラインインターフェイス apt-cache -	8	8	1685023897	0	A	-	-	gz	APT キャッシュへの問い合わせ apt-cdrom -	8	8	1685023897	0	A	-	-	gz	APT CD-ROM 管理ユーティリティ apt-config -	8	8	1685023897	0	A	-	-	gz	APT 設定取得プログラム apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Debian パッケージから debconf の設定とテンプレートを抽出するユーティリティ apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	インデックスファイル生成ユーティリティ apt-get -	8	8	1685023897	0	A	-	-	gz	APT パッケージ操作ユーティリティ -- コマンドラインインターフェース apt-mark -	8	8	1685023897	0	A	-	-	gz	パッケージの各種設定の表示、設定、設定解除 apt-secure -	8	8	1685023897	0	A	-	-	gz	APT アーカイブ認証サポート apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	パッケージインデックスファイルのソートユーティリティ apt.conf -	5	5	1685023897	0	A	-	-	gz	APT の設定ファイル apt_preferences -	5	5	1685023897	0	A	-	-	gz	APT 用選択制御ファイル catman -	8	8	1678659839	0	A	-	-	gz	整形済みマニュアルページを作成、更新する chage -	1	1	1744022326	0	A	-	-	gz	ユーザパスワードの有効期限情報を変更する。 chfn -	1	1	1744022326	0	A	-	-	gz	ユーザの氏名や情報を変更する。 chpasswd -	8	8	1744022326	0	A	-	-	gz	パスワードファイルをバッチ処理で更新する chsh -	1	1	1744022326	0	A	-	-	gz	ログインシェルを変更する dpkg-split -	1	1	1683770641	0	A	-	-	gz	Debian パッケージアーカイブの分割/統合ツール dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	dpkg の設定ファイル dpkg.conf -	5	5	1683770641	0	C	dpkg.cfg	-	gz	 ex -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, プログラマのテキストエディタ expiry -	1	1	1744022326	0	A	-	-	gz	パスワードの期限切れポリシーのチェックと執行 faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	ログイン失敗を記録するファイル faillog	8 -	8	8	1744022326	0	A	-	-	gz	faillog を調べ、login 失敗の制限を設定する gpasswd -	1	1	1744022326	0	A	-	-	gz	/etc/groupファイルを管理する groupadd -	8	8	1744022326	0	A	-	-	gz	新しいグループを作成する groupdel -	8	8	1744022326	0	A	-	-	gz	グループを削除する groupmod -	8	8	1744022326	0	A	-	-	gz	グループを修正する grpck -	8	8	1744022326	0	A	-	-	gz	グループファイルが正しいかどうか検査する grpconv -	8	8	1744022326	0	B	-	-	gz	パスワード・グループの shadow 化と、通常ファイルへの逆変換 grpunconv -	8	8	1744022326	0	B	-	-	gz	パスワード・グループの shadow 化と、通常ファイルへの逆変換 installkernel -	8	8	1690587995	0	A	-	-	gz	新しいカーネルイメージのインストール lastlog -	8	8	1744022326	0	A	-	-	gz	lastlog ファイルを調べる lexgrog -	1	1	1678659839	0	A	-	-	gz	マニュアルページのヘッダー情報を解釈する login -	1	1	1744022326	0	A	-	-	gz	システム上でセッションを開く login.defs -	5	5	1744022326	0	A	-	-	gz	shadow パスワード機能の設定 man -	1	1	1678659839	0	A	-	t	gz	an interface to the system reference manuals man-recode -	1	1	1678659839	0	A	-	-	gz	convert manual pages to another encoding manconv -	1	1	1678659839	0	A	-	-	gz	マニュアルページをあるエンコーディングから別のエンコーディングに変換する mandb -	8	8	1678659839	0	A	-	t	gz	マニュアルページのインデックスキャッシュを作成、更新する manpath 	manpath	1	manpath	5 passwd 	passwd	1	passwd	5                                                   manpath	1 -	1	1	1678659839	0	A	-	-	gz	マニュアルページの検索パスを設定します manpath	5 -	5	5	1678659839	0	A	-	-	gz	/etc/manpath.config ファイルの書式 newgrp -	1	1	1744022326	0	A	-	-	gz	新しいグループにログインする newusers -	8	8	1744022326	0	A	-	-	gz	ユーザの新規作成や情報更新をバッチ処理で行う passwd	1 -	1	1	1744022326	0	A	-	-	gz	ユーザパスワードを変更する passwd	5 -	5	5	1744022326	0	A	-	-	gz	パスワードファイル pwck -	8	8	1744022326	0	A	-	-	gz	パスワードファイルが正しいかどうか検査する pwconv -	8	8	1744022326	0	A	-	-	gz	パスワード・グループの shadow 化と、通常ファイルへの逆変換 pwunconv -	8	8	1744022326	0	B	-	-	gz	パスワード・グループの shadow 化と、通常ファイルへの逆変換 remove-shell -	8	8	1690587995	0	A	-	-	gz	有効ログインシェル一覧からシェル削除 run-parts -	8	8	1690587995	0	A	-	-	gz	ディレクトリにあるスクリプト・プログラムの実行 rview -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, プログラマのテキストエディタ rvim -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, プログラマのテキストエディタ savelog -	8	8	1690587995	0	A	-	-	gz	ログファイルの保存 sg -	1	1	1744022326	0	B	-	-	gz	別のグループ ID でコマンドを実行する shadow -	5	5	1744022326	0	A	-	-	gz	暗号化されたパスワードファイル sources.list -	5	5	1685023897	0	A	-	-	gz	APT のデータ取得元の設定リスト update-passwd -	8	8	1663669371	0	A	-	-	gz	/etc/passwd, /etc/shadow, /etc/group の安全な更新 useradd -	8	8	1744022326	0	A	-	-	gz	新規ユーザの作成・新規ユーザのデフォルト情報の更新 userdel -	8	8	1744022326	0	A	-	-	gz	ユーザのアカウントと関連ファイルを削除する usermod -	8	8	1744022326	0	A	-	-	gz	ユーザアカウントを修正する vi -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, プログラマのテキストエディタ view -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, プログラマのテキストエディタ vigr -	8	8	1744022326	0	B	-	-	gz	password, group とそれぞれの shadow ファイルを編集する vim -	1	1	1739683421	0	A	-	-	gz	Vi IMproved, プログラマのテキストエディタ vimdiff -	1	1	1739683421	0	A	-	-	gz	2 個から 8 個のファイルを Vim で開いて、その差分を表示する vipw -	8	8	1744022326	0	A	-	-	gz	password, group とそれぞれの shadow ファイルを編集する whatis -	1	1	1678659839	0	A	-	-	gz	display one-line manual page descriptions which -	1	1	1690587995	0	B	-	-	gz	コマンドの場所 which.debianutils -	1	1	1690587995	0	A	-	-	gz	コマンドの場所 zsoelim -	1	1	1678659839	0	A	-	-	gz	satisfy .so requests in roff input dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	debian/files にエントリを追加する nmap -	1	1	1673900619	0	A	-	-	gz	ネットワーク調査ツールおよびセキュリティ/ポート スキャナ deb-old -	5	5	1683770641	0	A	-	-	gz	旧 Debian バイナリパッケージ形式                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     ϚW             	          P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ?            K                                                                          R                                                                                   }HQman >         I   F<fail5:      
   U   Hmanp?            	'{Lapt-4         B   VWupdaG         T   EsourF      
   H                                                                                                       m[man->         E                       isuzgrou:      	   A   Adpkg8      	   7   eclogiO>         B   ֯RuserG         \                                                                                   SacceF0      	   ^   passlB      	   D   sU$ver 0      
      -#apt-2            [-kapt.E5      	   6    =WuserfG         h   vshad^F         J   ^|remoKD      
   S   zwhatJ         F   X)'apt h1         J   Cgrpc	<         p   ؎rvimqE         T   ~?OzsoeK         ?                       ŋJapt-R2         <   Qfail9      
   J   UNvim I         T                                                                                                                                                                   ?	gpas:         B   Icm&chpa6      	   Y                                           -'passRB            sdgroui;      	   8                                           @apwunC      	   p   S7dychfn6         J                                                               <zXapt-4      	   \   ~-/etc0         &   ZW.apt-3         |   zigrpu<      
   p   cinst<         S                       mqfail9                                                                                                                o lexg=         Y   <%9nmapA         p                       ?newg'A         G   U/rdeb-7         I                                                                                   P|pwco[C         p   cexpi^9         _   eapro1         Y   Ulast\=         =                                           ]sdpkg38         [                       f.<add-0      
   P   y}dpkg8      
   $   SRpassB      	   8                       I3apt_5         <                                                                                                                                               Ivigr6I         b                       ܨ!saveE         8                                           I
grou(;      	   8                       SVchshC7         A   Nhlogi>         G   9Ocatm5         Y                                           :
grpc;         Y   2user:H         D                                                               	Iiex  9         T                       2rvieE         T                                           WVmanc9?            run-D      
   b   N*apt-2      
   C   U8apt-4      
   k   xc	chag06         \   g
whic K         2   ?dpkg7         H                       ~manpw@      
   V   [viewH         T                                                               Y<sg  
F         Q                                           +mand @         q   *Rmanp@      
   F   PTwhicXK         2   T\vimdI         o                       G6hapt-23         V   NnewuuA      	   _   bbpwckB         \                                                                                   qvipwlJ         b                                                               #apt-1      
   E                       Z6svi  H         T                                                                                                       $version$ 2.5.0 /etc/login.defs -	5	5	1744022326	0	C	login.defs	-	gz	 accessdb -	8	8	1678659839	0	A	-	-	gz	dumps the content of a man-db database in a human readable format add-shell -	8	8	1690587995	0	A	-	-	gz	有効ログインシェル一覧にシェル追加 apropos -	1	1	1678659839	0	A	-	-	gz	マニュアルページの名前と要約文を検索する apt -	8	8	1685023897	0	A	-	-	gz	コマンドラインインターフェイス apt-cache -	8	8	1685023897	0	A	-	-	gz	APT キャッシュへの問い合わせ apt-cdrom -	8	8	1685023897	0	A	-	-	gz	APT CD-ROM 管理ユーティリティ apt-config -	8	8	1685023897	0	A	-	-	gz	APT 設定取得プログラム apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Debian パッケージから debconf の設定とテンプレートを抽出するユーティリティ apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	インデックスファイル生成ユーティリティ apt-get -	8	8	1685023897	0	A	-	-	gz	APT パッケージ操作ユーティリティ -- コマンドラインインターフェース apt-mark -	8	8	1685023897	0	A	-	-	gz	パッケージの各種設定の表示、設定、設定解除 apt-secure -	8	8	1685023897	0	A	-	-	gz	APT アーカイブ認証サポート apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	パッケージインデックスファイルのソートユーティリティ apt.conf -	5	5	1685023897	0	A	-	-	gz	APT の設定ファイル apt_preferences -	5	5	1685023897	0	A	-	-	gz	APT 用選択制御ファイル catman -	8	8	1678659839	0	A	-	-	gz	整形済みマニュアルページを作成、更新する chage -	1	1	1744022326	0	A	-	-	gz	ユーザパスワードの有効期限情報を変更する。 chfn -	1	1	1744022326	0	A	-	-	gz	ユーザの氏名や情報を変更する。 chpasswd -	8	8	1744022326	0	A	-	-	gz	パスワードファイルをバッチ処理で更新する chsh -	1	1	1744022326	0	A	-	-	gz	ログインシェルを変更する deb-old -	5	5	1683770641	0	A	-	-	gz	旧 Debian バイナリパッケージ形式 dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	debian/files にエントリを追加する dpkg-split -	1	1	1683770641	0	A	-	-	gz	Debian パッケージアーカイブの分割/統合ツール dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	dpkg の設定ファイル dpkg.conf -	5	5	1683770641	0	C	dpkg.cfg	-	gz	 ex -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, プログラマのテキストエディタ expiry -	1	1	1744022326	0	A	-	-	gz	パスワードの期限切れポリシーのチェックと執行 faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	ログイン失敗を記録するファイル faillog	8 -	8	8	1744022326	0	A	-	-	gz	faillog を調べ、login 失敗の制限を設定する gpasswd -	1	1	1744022326	0	A	-	-	gz	/etc/groupファイルを管理する groupadd -	8	8	1744022326	0	A	-	-	gz	新しいグループを作成する groupdel -	8	8	1744022326	0	A	-	-	gz	グループを削除する groupmod -	8	8	1744022326	0	A	-	-	gz	グループを修正する grpck -	8	8	1744022326	0	A	-	-	gz	グループファイルが正しいかどうか検査する grpconv -	8	8	1744022326	0	B	-	-	gz	パスワード・グループの shadow 化と、通常ファイルへの逆変換 grpunconv -	8	8	1744022326	0	B	-	-	gz	パスワード・グループの shadow 化と、通常ファイルへの逆変換 installkernel -	8	8	1690587995	0	A	-	-	gz	新しいカーネルイメージのインストール lastlog -	8	8	1744022326	0	A	-	-	gz	lastlog ファイルを調べる lexgrog -	1	1	1678659839	0	A	-	-	gz	マニュアルページのヘッダー情報を解釈する login -	1	1	1744022326	0	A	-	-	gz	システム上でセッションを開く login.defs -	5	5	1744022326	0	A	-	-	gz	shadow パスワード機能の設定 man -	1	1	1678659839	0	A	-	t	gz	an interface to the system reference manuals man-recode -	1	1	1678659839	0	A	-	-	gz	convert manual pages to another encoding manconv -	1	1	1678659839	0	A	-	-	gz	マニュアルページをあるエンコーディングから別のエンコーディングに変換する manpath 	manpath	1	manpath	5                          mandb -	8	8	1678659839	0	A	-	t	gz	マニュアルページのインデックスキャッシュを作成、更新する manpath	1 -	1	1	1678659839	0	A	-	-	gz	マニュアルページの検索パスを設定します manpath	5 -	5	5	1678659839	0	A	-	-	gz	/etc/manpath.config ファイルの書式 newgrp -	1	1	1744022326	0	A	-	-	gz	新しいグループにログインする newusers -	8	8	1744022326	0	A	-	-	gz	ユーザの新規作成や情報更新をバッチ処理で行う nmap -	1	1	1673900619	0	A	-	-	gz	ネットワーク調査ツールおよびセキュリティ/ポート スキャナ passwd 	passwd	1	passwd	5 passwd	1 -	1	1	1744022326	0	A	-	-	gz	ユーザパスワードを変更する passwd	5 -	5	5	1744022326	0	A	-	-	gz	パスワードファイル pwck -	8	8	1744022326	0	A	-	-	gz	パスワードファイルが正しいかどうか検査する pwconv -	8	8	1744022326	0	A	-	-	gz	パスワード・グループの shadow 化と、通常ファイルへの逆変換 pwunconv -	8	8	1744022326	0	B	-	-	gz	パスワード・グループの shadow 化と、通常ファイルへの逆変換 remove-shell -	8	8	1690587995	0	A	-	-	gz	有効ログインシェル一覧からシェル削除 run-parts -	8	8	1690587995	0	A	-	-	gz	ディレクトリにあるスクリプト・プログラムの実行 rview -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, プログラマのテキストエディタ rvim -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, プログラマのテキストエディタ savelog -	8	8	1690587995	0	A	-	-	gz	ログファイルの保存 sg -	1	1	1744022326	0	B	-	-	gz	別のグループ ID でコマンドを実行する shadow -	5	5	1744022326	0	A	-	-	gz	暗号化されたパスワードファイル sources.list -	5	5	1685023897	0	A	-	-	gz	APT のデータ取得元の設定リスト update-passwd -	8	8	1663669371	0	A	-	-	gz	/etc/passwd, /etc/shadow, /etc/group の安全な更新 useradd -	8	8	1744022326	0	A	-	-	gz	新規ユーザの作成・新規ユーザのデフォルト情報の更新 userdel -	8	8	1744022326	0	A	-	-	gz	ユーザのアカウントと関連ファイルを削除する usermod -	8	8	1744022326	0	A	-	-	gz	ユーザアカウントを修正する vi -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, プログラマのテキストエディタ view -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, プログラマのテキストエディタ vigr -	8	8	1744022326	0	B	-	-	gz	password, group とそれぞれの shadow ファイルを編集する vim -	1	1	1739683421	0	A	-	-	gz	Vi IMproved, プログラマのテキストエディタ vimdiff -	1	1	1739683421	0	A	-	-	gz	2 個から 8 個のファイルを Vim で開いて、その差分を表示する vipw -	8	8	1744022326	0	A	-	-	gz	password, group とそれぞれの shadow ファイルを編集する whatis -	1	1	1678659839	0	A	-	-	gz	display one-line manual page descriptions which -	1	1	1690587995	0	B	-	-	gz	コマンドの場所 which.debianutils -	1	1	1690587995	0	A	-	-	gz	コマンドの場所 zsoelim -	1	1	1678659839	0	A	-	-	gz	satisfy .so requests in roff input                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              ϚW             	                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      deb-src-control -	5	5	1683770641	0	A	-	-	gz	Dateiformat der Hauptsteuerdatei von Debian-Quellpaketen deb-src-files -	5	5	1683770641	0	A	-	-	gz	Debian-Verteilungsdatei-Format deb-src-symbols -	5	5	1683770641	0	A	-	-	gz	Debians erweiterte Vorlagendatei für Laufzeitbibliotheken deb-substvars -	5	5	1683770641	0	A	-	-	gz	Ersetzungsvariablen in Debian-Quellen ethers -	5	5	1748287643	0	A	-	-	gz	Zuordnung von Ethernetadressen nach IP-Adressen    !   x*^xzgrc         \   Capt-7         c   m[man-M         O   isuzgrouE      	   6   AdpkgC      	   5   eclogiI         W   GHpidoQ         S   ֯Ruser\         U   F+xzlec         T   CxzmoUd         O   n\chgpI:      
   K   Sacce0      	   b   passP      	   A   sU$ver 0      
      -#apt-3         v   [-kapt.=8      	   9   p/etc0         (   D0debc:<         ;   ^|remoZT      
   W   q^lzcmJ         =   X)'apt 2         7   CgrpcG         U   ؎rvimmU         L   vshadW         1    =Wuser^\         q   ŋJapt-\3         >   QfailC      
   C   UNvim ^         L   fhvmst_         I   zwhat`         R   htxzdib         =   ~?Ozsoed         H   3arp d         8   +|gpkil6R         !   }2Nifco7e      	   ?   QFvnetse            ?	gpas5E         C   Icm&chpa:      	   D    2dpkgr@         P   jDoplipEf         K   -'passO            sdgrouWF      	   R   pdpkg>      	   R   ACrarpf         9   :-Zdebcw;         e   S7dychfn9         h   ٱ<pmap]R         I   @apwunS      	   U   EsyscY         E   <zXapt-Y5      	   a   ZW.apt-4         c   	(dpkg?         L   ,D;apt_8         V   zigrpu`G      
   U   tdebc<         J   =dpkg`?         `   mqfail?            cinstG         ?   O	killH         ?   "]lzfgK         \   hz'snicX         !   o lexgYI         U   
unxzZ         T   +i"dpkgQB         W   :gdpkgB      
   <   ?newgO         5   wVupti\         K   4.watc\`         f   ]
groutf         ;   m-%slatg      	   _   "mdpkgq>         7   cexpiC         e   eapro;2         Q   FR&apt-4         U   UlastH         d   q#lzca^J         T   ]sdpkgA         X   +gkernJH         O   f.<add-0      
   Y   HlzgrL         \   SRpassP      	   .   e ps  R         S   I3apt_8         @   6apt-6         p   P|pwcoIS         U   addgR1      	   #   XZsele V         s   'isensV         5   ~;Tdebc<         P   ՟rvaliu]         O   Ivigrp^         k   v<xz  a         T   ܨ!saveU         :   vDlzeg?K         \   txzcmHb         =   I
grouE      	   0   }zlzmoM         O   SVchsh:         6   NhlogiI         @   9Ocatm39         T   V-delu=         T   C*
dpkg'A         ]   :
grpcF         K   Gsens
W         @   yq'unlztZ         T   2user4]         9   @{Mw    `         Z   	Iiex  AC         L   \ /etcJ0         (   F#GdpkgA         K   T}|freeD         F   2rvieU         L   ogshaG         6   WVmanc#N         H   N*apt-3      
   ;   U8apt-k6      
   I   xc	chag9         H   A2Znolo`P         =   dpkg@         H   V3grouE      
   U   G>delu>      
   P   ~manpN      
   A   B~qlzlejL         T   opgre&Q            ($apt-D7         m   run-T      
   S   bypwdxS         R   Y<sg  \W         S   Idelg=      	   #   +mandsN         e   *RmanpFO      
   E   ,Astar"Y         G   H,skilW         O   G6hapt-04         J   Nnewu P      	   W   bbpwckS         C   Zkeaddu~1         X   ?05sysc{Y         G   d'_lzdiJ         =   & )upda([         i   [view^         L   eHdebc;         5   qvipw0_         k   #&apt-5      
   D   #apt-2      
   >   P
>slab?X         e   Z6svi  ]         L   g
whic!a         /   PTwhicVa         /   [8xzcaa         T   ֝izlzmaL         T   !debc&;         I   $version$ 2.5.0 /etc/adduser.conf -	5	5	1685030075	0	C	adduser.conf	-	gz	 /etc/deluser.conf -	5	5	1685030075	0	C	deluser.conf	-	gz	 accessdb -	8	8	1678659839	0	A	-	-	gz	gibt den Inhalt einer man-db-Datenbank in menschenlesbarem Format aus add-shell -	8	8	1690587995	0	A	-	-	gz	Shells zu der Liste der gültigen Anmelde-Shells hinzufügen addgroup -	8	8	1685030075	0	C	adduser	-	gz	 adduser -	8	8	1685030075	0	A	-	-	gz	Benutzer oder Gruppen im System hinzufügen oder verändern adduser.conf -	5	5	1685030075	0	A	-	-	gz	Konfigurationsdatei für adduser(8) undaddgroup(8). apropos -	1	1	1678659839	0	A	-	-	gz	Suche in Handbuchseiten und deren Kurzbeschreibungen apt -	8	8	1685023897	0	A	-	-	gz	Befehlszeilenschnittstelle apt-cache -	8	8	1685023897	0	A	-	-	gz	den APT-Zwischenspeicher abfragen apt-cdrom -	8	8	1685023897	0	A	-	-	gz	APT-CD-ROM-Verwaltungswerkzeug apt-config -	8	8	1685023897	0	A	-	-	gz	APT-Konfigurationsabfrageprogramm apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Hilfsprogramm zum Extrahieren der debconf-Konfiguration und Schablonen von Debian-Paketen apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	Hilfsprogramm zum Generieren von Indexdateien apt-get -	8	8	1685023897	0	A	-	-	gz	APT-Werkzeug für den Umgang mit Paketen -- Befehlszeilenschnittstelle apt-listchanges -	1	1	1616929604	0	A	-	-	gz	zeigt neue Changelog-Einträge von Debian-Paketarchiven. apt-mark -	8	8	1685023897	0	A	-	-	gz	zeigt, setzt und hebt verschiedene Einstellungen für ein Paket auf. apt-patterns -	7	7	1685023897	0	A	-	-	gz	Syntax und Semantik von APT-Suchmustern apt-secure -	8	8	1685023897	0	A	-	-	gz	Archivauthentifizierungsunterstützung für APT apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	Werkzeug zum Sortieren von Paketindexdateien apt-transport-http -	1	1	1685023897	0	A	-	-	gz	APT-Transportmethode zum Herunterladen über das Hypertext Transfer Protocol (HTTP) apt-transport-https -	1	1	1685023897	0	A	-	-	gz	APT-Transportmethode zum Herunterladen mittels HTTP-Sicherheitsprotokoll (HTTPS) apt-transport-mirror -	1	1	1685023897	0	A	-	-	gz	APT-Transportmethode für stärker automatisierte Spiegelserverauswahl apt.conf -	5	5	1685023897	0	A	-	-	gz	Konfigurationsdatei für APT apt_auth.conf -	5	5	1685023897	0	A	-	-	gz	Anmeldungskonfigurationsdatei für APT-Quellen und Proxys apt_preferences -	5	5	1685023897	0	A	-	-	gz	Voreinstellungssteuerdatei für APT catman -	8	8	1678659839	0	A	-	-	gz	erzeugt oder aktualisiert vorformatierte Handbuchseiten chage -	1	1	1744022326	0	A	-	-	gz	ändert die Information zum Passwortverfall chfn -	1	1	1744022326	0	A	-	-	gz	ändert den vollständigen Namen eines Benutzers und sonstige Informationen chgpasswd -	8	8	1744022326	0	A	-	-	gz	aktualisiert Gruppenpasswörter im Batch-Modus chpasswd -	8	8	1744022326	0	A	-	-	gz	aktualisiert Passwörter im Batch-Modus chsh -	1	1	1744022326	0	A	-	-	gz	ändert die Anmelde-Shell debconf -	1	1	1673214651	0	A	-	-	gz	führe ein Debconf-verwendendes Programm aus debconf-apt-progress -	1	1	1673214651	0	A	-	-	gz	installiere Pakete mittels Debconf zur Anzeige eines Fortschrittsbalkens debconf-communicate -	1	1	1673214651	0	A	-	-	gz	kommuniziere mit Debconf debconf-copydb -	1	1	1673214651	0	A	-	-	gz	kopiere eine Debconf-Datenbank debconf-escape -	1	1	1673214651	0	A	-	-	gz	Helfer beim Arbeiten mit Debconfs Schutz-Fähigkeit debconf-set-selections -	1	1	1673214651	0	A	-	-	gz	füge neue Werte in die Debconf-Datenbank ein debconf-show -	1	1	1673214651	0	A	-	-	gz	frage die Debconf-Datenbank ab delgroup -	8	8	1685030075	0	C	deluser	-	gz	 deluser -	8	8	1685030075	0	A	-	-	gz	entfernt einen Benutzer oder eine Gruppe aus dem System deluser.conf -	5	5	1685030075	0	A	-	-	gz	Konfigurationsdatei für deluser(8) und delgroup(8) dpkg -	1	1	1683770641	0	A	-	-	gz	Paketverwalter für Debian dpkg-deb -	1	1	1683770641	0	A	-	-	gz	Manipulationswerkzeug für Debian-Paketarchive (.deb) dpkg-divert -	1	1	1683770641	0	A	-	-	gz	Über die Paketversion einer Datei hinwegsetzen dpkg-fsys-usrunmess -	8	8	1683770641	0	A	-	-	gz	macht die Unordnung durch merged-/usr-via-aliased-dirs rückgängig faillog 	faillog	5	faillog	8                dpkg-maintscript-helper -	1	1	1683770641	0	A	-	-	gz	Bekannte Einschränkungen in Dpkg in Betreuerskripten umgehen dpkg-preconfigure -	8	8	1673214651	0	A	-	-	gz	lässt Pakete vor ihrer Installation Fragen stellen dpkg-query -	1	1	1683770641	0	A	-	-	gz	ein Werkzeug zur Abfrage der Dpkg-Datenbank dpkg-realpath -	1	1	1683770641	0	A	-	-	gz	Ausgabe des aufgelösten Pfadnamens mit DPKG_ROOT-Unterstützung dpkg-reconfigure -	8	8	1673214651	0	A	-	-	gz	rekonfiguriere ein bereits installiertes Paket dpkg-split -	1	1	1683770641	0	A	-	-	gz	Teilungs- und Zusammensetzwerkzeug für Debian-Paketarchive dpkg-statoverride -	1	1	1683770641	0	A	-	-	gz	über Eigentümerschaft und Modus von Dateien hinwegsetzen dpkg-trigger -	1	1	1683770641	0	A	-	-	gz	ein Paket-Trigger-Hilfswerkzeug dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	dpkg-Konfigurationsdatei ex -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer expiry -	1	1	1744022326	0	A	-	-	gz	überprüft die Regeln für den Verfall des Passworts und setzt diese um faillog	5 -	5	5	1744022326	0	A	-	-	gz	Datei mit fehlgeschlagenen Anmeldungen faillog	8 -	8	8	1744022326	0	A	-	-	gz	zeigt Aufzeichnungen der fehlgeschlagenen Anmeldungen an oder richtet Beschränkungen für fehlgeschlagene Anmeldungen ein free -	1	1	1671429998	0	A	-	-	gz	Anzeige des freien und belegten Speichers gpasswd -	1	1	1744022326	0	A	-	-	gz	administer /etc/group and /etc/gshadow groupadd -	8	8	1744022326	0	A	-	-	gz	erstellt eine neue Gruppe groupdel -	8	8	1744022326	0	A	-	-	gz	löscht eine Gruppe groupmems -	8	8	1744022326	0	A	-	-	gz	verwaltet die Mitglieder der Hauptgruppe eines Benutzers groupmod -	8	8	1744022326	0	A	-	-	gz	ändert die Eigenschaften einer Gruppe auf dem System grpck -	8	8	1744022326	0	A	-	-	gz	überprüft die Stimmigkeit der Gruppendateien grpconv -	8	8	1744022326	0	B	-	-	gz	konvertiert zu oder von Shadow-Passwörtern und -gruppen grpunconv -	8	8	1744022326	0	B	-	-	gz	konvertiert zu oder von Shadow-Passwörtern und -gruppen gshadow -	5	5	1744022326	0	A	-	-	gz	Shadow-Datei für Gruppen installkernel -	8	8	1690587995	0	A	-	-	gz	installiert ein neues Kernel-Image kernel-img.conf -	5	5	1652925924	0	A	-	t	gz	Konfigurationsdatei für Linux-Kernel-Image-Pakete kill -	1	1	1671429998	0	A	-	-	gz	ein Signal an einen Prozess senden lastlog -	8	8	1744022326	0	A	-	-	gz	berichtet die letzte Anmeldung für alle oder einen bestimmten Benutzer lexgrog -	1	1	1678659839	0	A	-	-	gz	wertet die Kopfzeilen-Information von Handbuchseiten aus login -	1	1	1744022326	0	A	-	-	gz	startet eine Sitzung auf dem System login.defs -	5	5	1744022326	0	A	-	-	gz	Konfiguration der Werkzeugsammlung für Shadow-Passwörter lzcat -	1	1	1743710139	0	B	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren lzcmp -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien vergleichen lzdiff -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien vergleichen lzegrep -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen lzfgrep -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen lzgrep -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen lzless -	1	1	1743710139	0	B	-	-	gz	mit xz oder lzma komprimierte (Text-)Dateien betrachten lzma -	1	1	1743710139	0	B	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren lzmore -	1	1	1743710139	0	B	-	-	gz	mit xz oder lzma komprimierte (Text-)Dateien lesen man -	1	1	1678659839	0	A	-	t	gz	eine Oberfläche für die System-Referenzhandbücher man-recode -	1	1	1678659839	0	A	-	-	gz	wandelt Handbuchseiten in eine andere Kodierung um manconv -	1	1	1678659839	0	A	-	-	gz	wandelt die Kodierung von Handbuchseiten um mandb -	8	8	1678659839	0	A	-	t	gz	Zwischenspeicher für Handbuchseiten-Indizes erzeugen oder aktualisieren manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	bestimmt den Handbuchseiten-Suchpfad manpath	5 -	5	5	1678659839	0	A	-	-	gz	das Format der Datei /etc/manpath.config newgrp -	1	1	1744022326	0	A	-	-	gz	als neue Gruppe anmelden passwd 	passwd	1	passwd	5                      newusers -	8	8	1744022326	0	A	-	-	gz	erstellt oder aktualisiert mehrere neue Benutzer am Stück nologin -	8	8	1744022326	0	A	-	-	gz	lehnt höflich eine Anmeldung ab passwd	1 -	1	1	1744022326	0	A	-	-	gz	ändert das Passwort eines Benutzers passwd	5 -	5	5	1744022326	0	A	-	-	gz	die Passwortdatei pgrep -	1	1	1671429998	0	A	-	-	gz	Prozesse finden oder ein Signal auf Basis des Namens oder anderer Attribute senden oder auf Prozesse warten pidof -	1	1	1671429998	0	A	-	-	gz	die Prozesskennung eines laufenden Programms ermitteln pidwait -	1	1	1671429998	0	C	pgrep	-	gz	 pkill -	1	1	1671429998	0	C	pgrep	-	gz	 pmap -	1	1	1671429998	0	A	-	-	gz	die Speicherzuordnung eines Prozesses melden ps -	1	1	1671429998	0	A	-	t	gz	einen Schnappschuss der aktuellen Prozesse darstellen. pwck -	8	8	1744022326	0	A	-	-	gz	verify the integrity of password files pwconv -	8	8	1744022326	0	A	-	-	gz	konvertiert zu oder von Shadow-Passwörtern und -gruppen pwdx -	1	1	1671429998	0	A	-	-	gz	aktuelles Arbeitsverzeichnis eines Prozesses anzeigen pwunconv -	8	8	1744022326	0	B	-	-	gz	konvertiert zu oder von Shadow-Passwörtern und -gruppen remove-shell -	8	8	1690587995	0	A	-	-	gz	entfernt Shells aus der Liste der gültigen Anmelde-Shells run-parts -	8	8	1690587995	0	A	-	-	gz	Skripte oder Programme in einem Verzeichnis ausführen rview -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer rvim -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer savelog -	8	8	1690587995	0	A	-	-	gz	eine Protokolldatei speichern select-editor -	1	1	1673713722	0	A	-	-	gz	wählt Ihre Vorgabe für den vernünftigen Editor aus allen installierten Editoren aus sensible-browser -	1	1	1673713722	0	A	-	-	gz	vernünftiges Web-Browsen sensible-editor -	1	1	1673713722	0	A	-	-	gz	vernünftiges Bearbeiten sensible-pager -	1	1	1673713722	0	A	-	-	gz	vernünftiges seitenweises Anzeigen sg -	1	1	1744022326	0	A	-	-	gz	führt einen Befehl unter einer anderen Gruppen-ID aus shadow -	5	5	1744022326	0	A	-	-	gz	Shadow-Passwortdatei skill -	1	1	1671429998	0	A	-	-	gz	ein Signal senden oder den Prozessstatus ermitteln slabtop -	1	1	1671429998	0	A	-	t	gz	zeigt Informationen zum Slab-Zwischenspeicher des Kernels in Echtzeit an snice -	1	1	1671429998	0	C	skill	-	gz	 sources.list -	5	5	1685023897	0	A	-	-	gz	Liste konfigurierter APT-Datenquellen start-stop-daemon -	8	8	1683770641	0	A	-	-	gz	startet und stoppt System-Daemon-Programme sysctl -	8	8	1671429998	0	A	-	-	gz	Kernelparameter zur Laufzeit konfigurieren sysctl.conf -	5	5	1671429998	0	A	-	-	gz	Vorlade-/Konfigurationsdatei für Sysctl tload -	1	1	1671429998	0	A	-	-	gz	grafische Darstellung der durchschnittlichen Systemlast unlzma -	1	1	1743710139	0	B	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren unxz -	1	1	1743710139	0	B	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren update-alternatives -	1	1	1683770641	0	A	-	-	gz	Verwaltung symbolischer Links zur Bestimmung von Standardwerten für Befehle update-passwd -	8	8	1663669371	0	A	-	-	gz	/etc/passwd, /etc/shadow und /etc/group sicher aktualisieren uptime -	1	1	1671429998	0	A	-	-	gz	feststellen, wie lange das System schon läuft useradd -	8	8	1744022326	0	A	-	-	gz	erstellt einen neuen Benutzer oder aktualisiert die Standardwerte für neue Benutzer userdel -	8	8	1744022326	0	A	-	-	gz	löscht ein Benutzerkonto und die dazugehörigen Dateien usermod -	8	8	1744022326	0	A	-	-	gz	verändert ein Benutzerkonto validlocale -	8	8	1741301213	0	A	-	-	gz	Prüfen, ob eine übergebene Locale verfügbar ist vi -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer view -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer vigr -	8	8	1744022326	0	B	-	-	gz	bearbeitet die Passwort-, Gruppen-, Shadow-Passwort- oder Shadow-Gruppen-Datei vim -	1	1	1739683421	0	A	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer vipw -	8	8	1744022326	0	A	-	-	gz	bearbeitet die Passwort-, Gruppen-, Shadow-Passwort- oder Shadow-Gruppen-Datei vmstat -	8	8	1671429998	0	A	-	-	gz	Statistiken zum virtuellen Speicher anzeigen                 w -	1	1	1671429998	0	A	-	-	gz	anzeigen, welche Benutzer angemeldet sind und was sie machen. watch -	1	1	1671429998	0	A	-	-	gz	ein Programm periodisch ausführen, die Ausgabe im Vollbildmodus anzeigen whatis -	1	1	1678659839	0	A	-	-	gz	durchsucht die Indexdatenbank nach Kurzbeschreibungen which -	1	1	1690587995	0	B	-	-	gz	finde einen Befehl which.debianutils -	1	1	1690587995	0	A	-	-	gz	finde einen Befehl xz -	1	1	1743710139	0	A	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren xzcat -	1	1	1743710139	0	B	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren xzcmp -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien vergleichen xzdiff -	1	1	1743710139	0	A	-	-	gz	komprimierte Dateien vergleichen xzegrep -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen xzfgrep -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen xzgrep -	1	1	1743710139	0	A	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen xzless -	1	1	1743710139	0	A	-	-	gz	mit xz oder lzma komprimierte (Text-)Dateien betrachten xzmore -	1	1	1743710139	0	A	-	-	gz	mit xz oder lzma komprimierte (Text-)Dateien lesen zsoelim -	1	1	1678659839	0	A	-	-	gz	führt ».so«-Anfragen in Roff-Quellen aus arp -	8	8	1748287643	0	A	-	-	gz	Manipulation des ARP-Caches ifconfig -	8	8	1748287643	0	A	-	-	gz	Konfiguration einer Netzwerkskarte netstat -	8	8	1748287643	0	A	-	-	gz	Anzeige von Netzwerksverbindungen, Routentabellen, Schnittstellenstatistiken, maskierten Verbindungen, Netlink-Nachrichten und Mitgliedschaft in Multicastgruppen plipconfig -	8	8	1748287643	0	A	-	-	gz	Einstellung von PLIP Schnittstellen-Parametern rarp -	8	8	1748287643	0	A	-	-	gz	Manipulation des RARP-Caches route -	8	8	1748287643	0	A	-	-	gz	Anzeigen der IP-Routen-Tabelle slattach -	8	8	1748287643	0	A	-	-	gz	Anbindung einer Netzwerksschnittstelle an eine serielle Verbindung faked-sysv -	1	1	1679131320	0	A	-	-	gz	Daemon, der sich an fingierte Besitz-/Zugriffsrechte von Dateien erinnert, die durch fakeroot-Prozesse manipuliert wurden faked -	1	1	1679131320	0	C	faked-sysv	-	gz	 fakeroot-sysv -	1	1	1679131320	0	A	-	-	gz	einen Befehl zur Dateimanipulation in einer Umgebung mit fingierten Root-Rechten ausführen fakeroot -	1	1	1679131320	0	C	fakeroot-sysv	-	gz	 fakeroot-tcp -	1	1	1679131320	0	A	-	-	gz	einen Befehl zur Dateimanipulation in einer Umgebung mit fingierten Root-Rechten ausführen dpkg-architecture -	1	1	1683770641	0	A	-	-	gz	Architektur zum Paketbau setzen und bestimmen dpkg-buildflags -	1	1	1683770641	0	A	-	-	gz	liefert Bauschalter zum Einsatz beim Paketbau dpkg-buildpackage -	1	1	1683770641	0	A	-	-	gz	Binär- oder Quellpakete aus Quellen bauen dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	Einträge zu debian/files hinzufügen dpkg-genchanges 	dpkg-genchanges	1	dpkg-genchanges	5 hanges-Dateien erstellen dpkg-gencontrol -	1	1	1683770641	0	A	-	-	gz	Debian-control-Dateien erstellen dpkg-mergechangelogs -	1	1	1683770641	0	A	-	-	gz	3-Wege-Zusammenführung von debian/changelog-Dateien dpkg-name -	1	1	1683770641	0	A	-	-	gz	Debian-Pakete zu vollen Paketnamen umbenennen dpkg-scanpackages -	1	1	1683770641	0	A	-	-	gz	Packages-Index-Dateien erstellen dpkg-vendor -	1	1	1683770641	0	A	-	-	gz	fragt Informationen über den Distributionslieferanten ab nmap -	1	1	1673900619	0	A	-	-	gz	Netzwerk-Analysewerkzeug und Sicherheits-/Portscanner deb-version -	7	7	1683770641	0	A	-	-	gz	Versionsnummer-Format von Debian-Paketen deb-buildinfo -	5	5	1683770641	0	A	-	-	gz	Format der Bauinformationsdateien von Debian deb -	5	5	1683770641	0	A	-	-	gz	Debian-Binärpaketformat deb-changes -	5	5	1683770641	0	A	-	-	gz	Format der Debian-Changes-Datei deb-override -	5	5	1683770641	0	A	-	-	gz	Debian-Archiv Override-Datei deb-postinst -	5	5	1683770641	0	A	-	-	gz	Paketnachinstallationsbetreuerskript deb-postrm -	5	5	1683770641	0	A	-	-	gz	Nachentfernungsbetreuerskript eines Pakets deb-preinst -	5	5	1683770641	0	A	-	-	gz	Präinstallationsbetreuerskript eines Paketes deb-split -	5	5	1683770641	0	A	-	-	gz	mehrteiliges Debian-Binärpaketformat                   ?             _             O             #k      H      !            e!         l   qyfakei      
   x   sdpkgBj         G   0:8dpkg<k         =   M%deb-,n         <   y5deb m         5   F<failID      
      HmanpN                                                                                                                                                                            Capt-7         c   m[man-M         O   GHpidoQ         S                                                               [qa0dpkgj         %                                           n\chgpI:      
   K   Sacce0      	   b   passP      	   A   sU$ver 0      
      -#apt-3         v   D0debc:<         ;    =Wuser^\         q                                                               X)'apt 2         7                       ؎rvimmU         L                                                                                                                           xd=dpkgl         V                                                                                   "fakeh      	   )                       ?	gpas5E         C   Icm&chpa:      	   D    2dpkgr@         P                       -'passO            sdgrouWF      	   R                       *0dpkgi         J   ٱ<pmap]R         I   Wfake#h         &                                                               O	killH         ?   ZW.apt-4         c   	(dpkg?         L   ,D;apt_8         V   cinstG         ?   tdebc<         J   =dpkg`?         `   mqfail?            
unxzZ         T   hz'snicX         !   5'fakeOh         x   (dpkgk         Q   o lexgYI         U   <%9nmapl         R   +i"dpkgQB         W   ?newgO         5   4.watc\`         f   w?deb-Km         E                                                               v<xz  a         T                       FR&apt-4         U   q#lzca^J         T   CxzmoUd         O   e ps  R         S                                           f.<add-0      
   Y                                                               I3apt_8         @   6apt-6         p   e<7dpkgCl         =   addgR1      	   #   deb-o      
   B   1deb-Zo         J                       m-%slatg      	   _                                           ܨ!saveU         :   ethee!         L                       I
grouE      	   0                       Qdpkgi         J                       V-delu=         T   F+xzlec         T   C*
dpkg'A         ]   :
grpcF         K   yq'unlztZ         T   2user4]         9   "deb-           U                                           \ /etcJ0         (   2rvieU         L   a+7deb-m         I   t)deb-e          ;   g
whic!a         /   A2Znolo`P         =   N*apt-3      
   ;   U8apt-k6      
   I   xc	chag9         H   run-T      
   S   3arp d         8   dpkg@         H   V3grouE      
   U   G>delu>      
   P   ~manpN      
   A   ?05sysc{Y         G   ($apt-D7         m   Y<sg  \W         S   ?dpkgj         B   +dpkgk      
   J   +mandsN         e   ydeb-tn      
   9   ,Astar"Y         G   PTwhicVa         /   H,skilW         O   [8xzcaa         T   Nnewu P      	   W   s-deb-          W   & )upda([         i   e deb-!         B                                                                                                       #&apt-5      
   D   #apt-2      
   >   P
>slab?X         e   K deb-n      
   A   Hdeb-o         G                                                               !debc&;         I                      v                                                                               p   #
Zxzegb         \   c<Gdpkg         K                       YtloaZ         T   }HQman tM         Q   ]vaddu1      
   P   b[dpkg @         Z   	'{Lapt-6         L   VWupda[         Y   EsourX      
   B   NedebcD=      
   ;   6_dpkg         @   xdpkgؓ         '   W?`cpidw
R         !   '`deb8         <                                           isuzgrouE      	   6   AdpkgC      	   5   eclogiI         W   ֯Ruser\         U                                           k#ZdpkgQ         l   {vddeb-K         Y                                           zwhat`         R   EPdeb-         ,   [-kapt.=8      	   9   p/etc0         (   vshadW         1   ^|remoZT      
   W   q^lzcmJ         =   CgrpcG         U   ~?Ozsoed         H   fhvmst_         I                                           ŋJapt-\3         >   QfailC      
   C   UNvim ^         L                                           htxzdib         =                                           +|gpkil6R         !                                           jDoplipEf         K                                           w_dpkg         >   vdeb-         F                       pdpkg>      	   R                       :-Zdebcw;         e   S7dychfn9         h   @apwunS      	   U   =Edeb-         8   EsyscY         E   <zXapt-Y5      	   a   zigrpu`G      
   U   "]lzfgK         \   _Sdeb-$         Z                                                                                                                                                                   wVupti\         K   xVdpkg          :                       :gdpkgB      
   <   r^dpkg͑         ?   'PdpkgӒ         N   U/rdeb-G         J   zdeb-         @                       "mdpkgq>         7   cexpiC         e   ACrarpf         9   QFvnetse            eapro;2         Q   UlastH         d   ]sdpkgA         X   +gkernJH         O   HlzgrL         \   SRpassP      	   .   P|pwcoIS         U   'isensV         5   XZsele V         s   ՟rvaliu]         O   txzcmHb         =   [Ddeb--         M   jdsc ͗         H   ]
groutf         ;   ~;Tdebc<         P                       Ivigrp^         k                                           vDlzeg?K         \                                           }zlzmoM         O   SVchsh:         6   NhlogiI         @   9Ocatm39         T   Gsens
W         @                                                                                   Kdfake       
      @{Mw    `         Z   Csxzfg3c         \   	Iiex  AC         L   }2Nifco7e      	   ?   F#GdpkgA         K   T}|freeD         F   ogshaG         6   WVmanc#N         H                                           lN[deb->         P                                           ctdeb-      
   H   [view^         L   opgre&Q            B~qlzlejL         T   ;Ldeb-         H                                           bypwdxS         R                       Idelg=      	   #   *RmanpFO      
   E   x*^xzgrc         \                                           G6hapt-04         J   bbpwckS         C   꽛fdeb-      
   *   Zkeaddu~1         X   W{fakeg            d'_lzdiJ         =                       qvipw0_         k   eHdebc;         5                                                                                   Z6svi  ]         L   [chdpkgk         Y                                           ֝izlzmaL         T   @>msensV         6   faked-tcp -	1	1	1679131320	0	A	-	-	gz	Daemon, der sich an fingierte Besitz-/Zugriffsrechte von Dateien erinnert, die durch fakeroot-Prozesse manipuliert wurden dpkg-checkbuilddeps -	1	1	1683770641	0	A	-	-	gz	Bauabhängigkeiten und -konflikte überprüfen dpkg-genbuildinfo -	1	1	1683770641	0	A	-	-	gz	Debian-.buildinfo-Dateien erstellen dpkg-gensymbols -	1	1	1683770641	0	A	-	-	gz	Symboldateien (Abhängigkeitsinformationen für Laufzeitbibliotheken) erstellen dpkg-parsechangelog -	1	1	1683770641	0	A	-	-	gz	Debian-Changelog-Dateien auswerten dpkg-scansources -	1	1	1683770641	0	A	-	-	gz	Quell-Index-Dateien erstellen dpkg-shlibdeps -	1	1	1683770641	0	A	-	-	gz	Substvar-Abhängigkeiten für Laufzeitbibliotheken erstellen dpkg-source -	1	1	1683770641	0	A	-	-	gz	Debian Quellpaket- (.dsc) Manipulations-Werkzeuge deb-changelog -	5	5	1683770641	0	A	-	-	gz	Format der Quellpaket-Changelog-Datei von Debian dpkg-genchanges	1 -	1	1	1683770641	0	A	-	-	gz	Debian-.changes-Dateien erstellen dpkg-genchanges	5 -	5	5	1683770641	0	C	deb-changes	-	gz	 deb-conffiles -	5	5	1683770641	0	A	-	-	gz	Paket-Conffiles deb-control -	5	5	1683770641	0	A	-	-	gz	Dateiformat der Hauptsteuerdatei von binären Debian-Paketen deb-extra-override -	5	5	1683770641	0	A	-	-	gz	Debian-Archiv Zusatz-Override-Datei deb-md5sums -	5	5	1683770641	0	A	-	-	gz	MD5-Datei-Hashes paketieren deb-old -	5	5	1683770641	0	A	-	-	gz	Debian Binärpaketformat in alter Ausführung deb-origin -	5	5	1683770641	0	A	-	-	gz	Lieferanten-spezifische Informationsdateien deb-prerm -	5	5	1683770641	0	A	-	-	gz	Präentfernungsbetreuerskripte eines Pakets deb-shlibs -	5	5	1683770641	0	A	-	-	gz	Debians Informationsdatei für Laufzeitbibliotheken deb-src-rules -	5	5	1683770641	0	A	-	-	gz	„rules“-Datei von Debian-Quellpaketen deb-triggers -	5	5	1683770641	0	A	-	-	gz	Paket-Trigger deb-symbols -	5	5	1683770641	0	A	-	-	gz	Debians erweiterte Informationsdatei von Laufzeitbibliotheken deb822 -	5	5	1683770641	0	A	-	-	gz	Debian-RFC822-Steuerdatenformat dsc -	5	5	1683770641	0	A	-	-	gz	Format der Quellpaketsteuerdatei von Debian                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        ϚW             	                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p       p                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             
       O             _            rg                                                             !debcC         I   sdpkgG         G   c<Gdpkg'H         K   M%deb-M<         <   0:8dpkgK         =   ]vaddu1      
   P   b[dpkgK         Z   	'{Lapt-6         L   6_dpkg J         @   xdpkgJ         '   '`deb8NC         <   NedebcE      
   ;   F<failS      
      qyfake|V      
   x   }HQman  `         Q   Capt-7         c   m[man-U`         O   isuzgrouW      	   6   AdpkgQ      	   5   eclogi[\         W   Hmanp_            [qa0dpkgRJ         %   SRpassfd      	   .   {vddeb-<         Y   n\chgp:      
   K   Sacce0      	   b   k#Zdpkg]K         l   sU$ver 0      
      -#apt-3         v   [-kapt.=8      	   9   p/etc0         (   EPdeb-<         ,   D0debcD         ;   q^lzcm]         =   X)'apt 2         7   CgrpcY         U   passd      	   A   opgred            GHpido+e         S   ŋJapt-\3         >   QfailiS      
   C   W?`cpidwe         !   jDoplipe         K   xd=dpkgoQ         V   ٱ<pmap*f         I   e ps  xf         S   bbpwckf         C   +|gpkile         !   "fakeU      	   )   P|pwcog         U   ?	gpasLW         C   Icm&chpa:      	   D    2dpkgXM         P   vdeb-UA         F   w_dpkgJ         >   sdgrounX      	   R   pdpkgH      	   R   *0dpkgG         J   :-ZdebcC         e   S7dychfn:         h   =Edeb-=         8   WfakeWT         &   -'passd            <zXapt-Y5      	   a   ZW.apt-4         c   _Sdeb-`B         Z   ,D;apt_8         V   w?deb-B         E   tdebcNE         J   	(dpkg4I         L   =dpkgI         `   (dpkgKL         Q   mqfailO            5'fakeU         x   zigrpuwY      
   U   cinst\Z         ?   xVdpkg#O         :   +i"dpkgP         W   :gdpkg&Q      
   <   U/rdeb-=         J   r^dpkgM         ?   'Pdpkg P         N   zdeb-4=         @   O	kill[         ?   "mdpkgF         7   cexpiR         e   eapro;2         Q   FR&apt-4         U   UlastL[         d   o lexg[         U   ]sdpkgZP         X   jdsc R         H   f.<add-0      
   Y   +gkernZ         O   q#lzca\         T   [Ddeb-;         M   I3apt_8         @   6apt-6         p   deb-[@      
   B   addgR1      	   #   e<7dpkgN         =   1deb-V?         J   ~;TdebcD         P   "]lzfg^         \   Hlzgrf^         \   QFvnetsb            ?newgb         5   ethe[R         L   vDlzeg]         \   I
grouW      	   0   }zlzmo}_         O   SVchsh';         6   QdpkgtG         J   9Ocatmo9         T   "deb-@         U   V-delu#F         T   C*
dpkg
N         ]   :
grpcX         K   Nhlogi\         @   Kdfake$U      
      <%9nmapfc         R   	Iiex  R         L   \ /etcJ0         (   a+7deb-;         I   F#GdpkgxN         K   t)deb-A         ;   T}|freeW         F   ogshaY         6   N*apt-3      
   ;   U8apt-k6      
   I   xc	chag9         H   lN[deb- @         P   3arp 39         8   ctdeb-?      
   H   ;Ldeb->         H   G>deluF      
   P   ?dpkgH         B   s-deb-A         W   ($apt-D7         m   +dpkgL      
   J   ydeb-p>      
   9   dpkgM         H   IdelgE      	   #   V3grouX      
   U   }2NifcoZ      	   ?   B~qlzle^         T   WVmanc`         H   G6hapt-04         J   꽛fdeb-B      
   *   +mand`         e   Zkeaddu~1         X   e deb-B         B   W{fakeT            d'_lzdiZ]         =   ~manpja      
   A   eHdebc\D         5   *Rmanpa      
   E   #&apt-5      
   D   #apt-2      
   >   K deb->      
   A   Hdeb-?         G   [chdpkgnO         Y   Nnewuc      	   W   A2Znoloc         =   ֝izlzma$_         T   y5deb b;         5   $version$ 2.5.0 /etc/adduser.conf -	5	5	1685030075	0	C	adduser.conf	-	gz	 /etc/deluser.conf -	5	5	1685030075	0	C	deluser.conf	-	gz	 accessdb -	8	8	1678659839	0	A	-	-	gz	gibt den Inhalt einer man-db-Datenbank in menschenlesbarem Format aus add-shell -	8	8	1690587995	0	A	-	-	gz	Shells zu der Liste der gültigen Anmelde-Shells hinzufügen addgroup -	8	8	1685030075	0	C	adduser	-	gz	 adduser -	8	8	1685030075	0	A	-	-	gz	Benutzer oder Gruppen im System hinzufügen oder verändern adduser.conf -	5	5	1685030075	0	A	-	-	gz	Konfigurationsdatei für adduser(8) undaddgroup(8). apropos -	1	1	1678659839	0	A	-	-	gz	Suche in Handbuchseiten und deren Kurzbeschreibungen apt -	8	8	1685023897	0	A	-	-	gz	Befehlszeilenschnittstelle apt-cache -	8	8	1685023897	0	A	-	-	gz	den APT-Zwischenspeicher abfragen apt-cdrom -	8	8	1685023897	0	A	-	-	gz	APT-CD-ROM-Verwaltungswerkzeug apt-config -	8	8	1685023897	0	A	-	-	gz	APT-Konfigurationsabfrageprogramm apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Hilfsprogramm zum Extrahieren der debconf-Konfiguration und Schablonen von Debian-Paketen apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	Hilfsprogramm zum Generieren von Indexdateien apt-get -	8	8	1685023897	0	A	-	-	gz	APT-Werkzeug für den Umgang mit Paketen -- Befehlszeilenschnittstelle apt-listchanges -	1	1	1616929604	0	A	-	-	gz	zeigt neue Changelog-Einträge von Debian-Paketarchiven. apt-mark -	8	8	1685023897	0	A	-	-	gz	zeigt, setzt und hebt verschiedene Einstellungen für ein Paket auf. apt-patterns -	7	7	1685023897	0	A	-	-	gz	Syntax und Semantik von APT-Suchmustern apt-secure -	8	8	1685023897	0	A	-	-	gz	Archivauthentifizierungsunterstützung für APT apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	Werkzeug zum Sortieren von Paketindexdateien apt-transport-http -	1	1	1685023897	0	A	-	-	gz	APT-Transportmethode zum Herunterladen über das Hypertext Transfer Protocol (HTTP) apt-transport-https -	1	1	1685023897	0	A	-	-	gz	APT-Transportmethode zum Herunterladen mittels HTTP-Sicherheitsprotokoll (HTTPS) apt-transport-mirror -	1	1	1685023897	0	A	-	-	gz	APT-Transportmethode für stärker automatisierte Spiegelserverauswahl apt.conf -	5	5	1685023897	0	A	-	-	gz	Konfigurationsdatei für APT apt_auth.conf -	5	5	1685023897	0	A	-	-	gz	Anmeldungskonfigurationsdatei für APT-Quellen und Proxys apt_preferences -	5	5	1685023897	0	A	-	-	gz	Voreinstellungssteuerdatei für APT arp -	8	8	1748287643	0	A	-	-	gz	Manipulation des ARP-Caches catman -	8	8	1678659839	0	A	-	-	gz	erzeugt oder aktualisiert vorformatierte Handbuchseiten chage -	1	1	1744022326	0	A	-	-	gz	ändert die Information zum Passwortverfall chfn -	1	1	1744022326	0	A	-	-	gz	ändert den vollständigen Namen eines Benutzers und sonstige Informationen chgpasswd -	8	8	1744022326	0	A	-	-	gz	aktualisiert Gruppenpasswörter im Batch-Modus chpasswd -	8	8	1744022326	0	A	-	-	gz	aktualisiert Passwörter im Batch-Modus chsh -	1	1	1744022326	0	A	-	-	gz	ändert die Anmelde-Shell deb -	5	5	1683770641	0	A	-	-	gz	Debian-Binärpaketformat deb-buildinfo -	5	5	1683770641	0	A	-	-	gz	Format der Bauinformationsdateien von Debian deb-changelog -	5	5	1683770641	0	A	-	-	gz	Format der Quellpaket-Changelog-Datei von Debian deb-changes -	5	5	1683770641	0	A	-	-	gz	Format der Debian-Changes-Datei deb-conffiles -	5	5	1683770641	0	A	-	-	gz	Paket-Conffiles deb-control -	5	5	1683770641	0	A	-	-	gz	Dateiformat der Hauptsteuerdatei von binären Debian-Paketen deb-extra-override -	5	5	1683770641	0	A	-	-	gz	Debian-Archiv Zusatz-Override-Datei deb-md5sums -	5	5	1683770641	0	A	-	-	gz	MD5-Datei-Hashes paketieren deb-old -	5	5	1683770641	0	A	-	-	gz	Debian Binärpaketformat in alter Ausführung deb-origin -	5	5	1683770641	0	A	-	-	gz	Lieferanten-spezifische Informationsdateien deb-override -	5	5	1683770641	0	A	-	-	gz	Debian-Archiv Override-Datei deb-postinst -	5	5	1683770641	0	A	-	-	gz	Paketnachinstallationsbetreuerskript deb-postrm -	5	5	1683770641	0	A	-	-	gz	Nachentfernungsbetreuerskript eines Pakets deb-preinst -	5	5	1683770641	0	A	-	-	gz	Präinstallationsbetreuerskript eines Paketes deb-prerm -	5	5	1683770641	0	A	-	-	gz	Präentfernungsbetreuerskripte eines Pakets   deb-shlibs -	5	5	1683770641	0	A	-	-	gz	Debians Informationsdatei für Laufzeitbibliotheken deb-split -	5	5	1683770641	0	A	-	-	gz	mehrteiliges Debian-Binärpaketformat deb-src-control -	5	5	1683770641	0	A	-	-	gz	Dateiformat der Hauptsteuerdatei von Debian-Quellpaketen deb-src-files -	5	5	1683770641	0	A	-	-	gz	Debian-Verteilungsdatei-Format deb-src-rules -	5	5	1683770641	0	A	-	-	gz	„rules“-Datei von Debian-Quellpaketen deb-src-symbols -	5	5	1683770641	0	A	-	-	gz	Debians erweiterte Vorlagendatei für Laufzeitbibliotheken deb-substvars -	5	5	1683770641	0	A	-	-	gz	Ersetzungsvariablen in Debian-Quellen deb-symbols -	5	5	1683770641	0	A	-	-	gz	Debians erweiterte Informationsdatei von Laufzeitbibliotheken deb-triggers -	5	5	1683770641	0	A	-	-	gz	Paket-Trigger deb-version -	7	7	1683770641	0	A	-	-	gz	Versionsnummer-Format von Debian-Paketen deb822 -	5	5	1683770641	0	A	-	-	gz	Debian-RFC822-Steuerdatenformat debconf -	1	1	1673214651	0	A	-	-	gz	führe ein Debconf-verwendendes Programm aus debconf-apt-progress -	1	1	1673214651	0	A	-	-	gz	installiere Pakete mittels Debconf zur Anzeige eines Fortschrittsbalkens debconf-communicate -	1	1	1673214651	0	A	-	-	gz	kommuniziere mit Debconf debconf-copydb -	1	1	1673214651	0	A	-	-	gz	kopiere eine Debconf-Datenbank debconf-escape -	1	1	1673214651	0	A	-	-	gz	Helfer beim Arbeiten mit Debconfs Schutz-Fähigkeit debconf-set-selections -	1	1	1673214651	0	A	-	-	gz	füge neue Werte in die Debconf-Datenbank ein debconf-show -	1	1	1673214651	0	A	-	-	gz	frage die Debconf-Datenbank ab delgroup -	8	8	1685030075	0	C	deluser	-	gz	 deluser -	8	8	1685030075	0	A	-	-	gz	entfernt einen Benutzer oder eine Gruppe aus dem System deluser.conf -	5	5	1685030075	0	A	-	-	gz	Konfigurationsdatei für deluser(8) und delgroup(8) dpkg -	1	1	1683770641	0	A	-	-	gz	Paketverwalter für Debian dpkg-architecture -	1	1	1683770641	0	A	-	-	gz	Architektur zum Paketbau setzen und bestimmen dpkg-buildflags -	1	1	1683770641	0	A	-	-	gz	liefert Bauschalter zum Einsatz beim Paketbau dpkg-buildpackage -	1	1	1683770641	0	A	-	-	gz	Binär- oder Quellpakete aus Quellen bauen dpkg-checkbuilddeps -	1	1	1683770641	0	A	-	-	gz	Bauabhängigkeiten und -konflikte überprüfen dpkg-deb -	1	1	1683770641	0	A	-	-	gz	Manipulationswerkzeug für Debian-Paketarchive (.deb) dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	Einträge zu debian/files hinzufügen dpkg-divert -	1	1	1683770641	0	A	-	-	gz	Über die Paketversion einer Datei hinwegsetzen dpkg-fsys-usrunmess -	8	8	1683770641	0	A	-	-	gz	macht die Unordnung durch merged-/usr-via-aliased-dirs rückgängig dpkg-genbuildinfo -	1	1	1683770641	0	A	-	-	gz	Debian-.buildinfo-Dateien erstellen dpkg-genchanges 	dpkg-genchanges	1	dpkg-genchanges	5 dpkg-genchanges	1 -	1	1	1683770641	0	A	-	-	gz	Debian-.changes-Dateien erstellen dpkg-genchanges	5 -	5	5	1683770641	0	C	deb-changes	-	gz	 dpkg-gencontrol -	1	1	1683770641	0	A	-	-	gz	Debian-control-Dateien erstellen dpkg-gensymbols -	1	1	1683770641	0	A	-	-	gz	Symboldateien (Abhängigkeitsinformationen für Laufzeitbibliotheken) erstellen dpkg-maintscript-helper -	1	1	1683770641	0	A	-	-	gz	Bekannte Einschränkungen in Dpkg in Betreuerskripten umgehen dpkg-mergechangelogs -	1	1	1683770641	0	A	-	-	gz	3-Wege-Zusammenführung von debian/changelog-Dateien dpkg-name -	1	1	1683770641	0	A	-	-	gz	Debian-Pakete zu vollen Paketnamen umbenennen dpkg-parsechangelog -	1	1	1683770641	0	A	-	-	gz	Debian-Changelog-Dateien auswerten dpkg-preconfigure -	8	8	1673214651	0	A	-	-	gz	lässt Pakete vor ihrer Installation Fragen stellen dpkg-query -	1	1	1683770641	0	A	-	-	gz	ein Werkzeug zur Abfrage der Dpkg-Datenbank dpkg-realpath -	1	1	1683770641	0	A	-	-	gz	Ausgabe des aufgelösten Pfadnamens mit DPKG_ROOT-Unterstützung dpkg-reconfigure -	8	8	1673214651	0	A	-	-	gz	rekonfiguriere ein bereits installiertes Paket dpkg-scanpackages -	1	1	1683770641	0	A	-	-	gz	Packages-Index-Dateien erstellen dpkg-scansources -	1	1	1683770641	0	A	-	-	gz	Quell-Index-Dateien erstellen dpkg-shlibdeps -	1	1	1683770641	0	A	-	-	gz	Substvar-Abhängigkeiten für Laufzeitbibliotheken erstellen faillog 	faillog	5	faillog	8              dpkg-source -	1	1	1683770641	0	A	-	-	gz	Debian Quellpaket- (.dsc) Manipulations-Werkzeuge dpkg-split -	1	1	1683770641	0	A	-	-	gz	Teilungs- und Zusammensetzwerkzeug für Debian-Paketarchive dpkg-statoverride -	1	1	1683770641	0	A	-	-	gz	über Eigentümerschaft und Modus von Dateien hinwegsetzen dpkg-trigger -	1	1	1683770641	0	A	-	-	gz	ein Paket-Trigger-Hilfswerkzeug dpkg-vendor -	1	1	1683770641	0	A	-	-	gz	fragt Informationen über den Distributionslieferanten ab dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	dpkg-Konfigurationsdatei dsc -	5	5	1683770641	0	A	-	-	gz	Format der Quellpaketsteuerdatei von Debian ethers -	5	5	1748287643	0	A	-	-	gz	Zuordnung von Ethernetadressen nach IP-Adressen ex -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer expiry -	1	1	1744022326	0	A	-	-	gz	überprüft die Regeln für den Verfall des Passworts und setzt diese um faillog	5 -	5	5	1744022326	0	A	-	-	gz	Datei mit fehlgeschlagenen Anmeldungen faillog	8 -	8	8	1744022326	0	A	-	-	gz	zeigt Aufzeichnungen der fehlgeschlagenen Anmeldungen an oder richtet Beschränkungen für fehlgeschlagene Anmeldungen ein faked -	1	1	1679131320	0	C	faked-sysv	-	gz	 faked-sysv -	1	1	1679131320	0	A	-	-	gz	Daemon, der sich an fingierte Besitz-/Zugriffsrechte von Dateien erinnert, die durch fakeroot-Prozesse manipuliert wurden faked-tcp -	1	1	1679131320	0	A	-	-	gz	Daemon, der sich an fingierte Besitz-/Zugriffsrechte von Dateien erinnert, die durch fakeroot-Prozesse manipuliert wurden fakeroot -	1	1	1679131320	0	C	fakeroot-sysv	-	gz	 fakeroot-sysv -	1	1	1679131320	0	A	-	-	gz	einen Befehl zur Dateimanipulation in einer Umgebung mit fingierten Root-Rechten ausführen fakeroot-tcp -	1	1	1679131320	0	A	-	-	gz	einen Befehl zur Dateimanipulation in einer Umgebung mit fingierten Root-Rechten ausführen free -	1	1	1671429998	0	A	-	-	gz	Anzeige des freien und belegten Speichers gpasswd -	1	1	1744022326	0	A	-	-	gz	administer /etc/group and /etc/gshadow groupadd -	8	8	1744022326	0	A	-	-	gz	erstellt eine neue Gruppe groupdel -	8	8	1744022326	0	A	-	-	gz	löscht eine Gruppe groupmems -	8	8	1744022326	0	A	-	-	gz	verwaltet die Mitglieder der Hauptgruppe eines Benutzers groupmod -	8	8	1744022326	0	A	-	-	gz	ändert die Eigenschaften einer Gruppe auf dem System grpck -	8	8	1744022326	0	A	-	-	gz	überprüft die Stimmigkeit der Gruppendateien grpconv -	8	8	1744022326	0	B	-	-	gz	konvertiert zu oder von Shadow-Passwörtern und -gruppen grpunconv -	8	8	1744022326	0	B	-	-	gz	konvertiert zu oder von Shadow-Passwörtern und -gruppen gshadow -	5	5	1744022326	0	A	-	-	gz	Shadow-Datei für Gruppen ifconfig -	8	8	1748287643	0	A	-	-	gz	Konfiguration einer Netzwerkskarte installkernel -	8	8	1690587995	0	A	-	-	gz	installiert ein neues Kernel-Image kernel-img.conf -	5	5	1652925924	0	A	-	t	gz	Konfigurationsdatei für Linux-Kernel-Image-Pakete kill -	1	1	1671429998	0	A	-	-	gz	ein Signal an einen Prozess senden lastlog -	8	8	1744022326	0	A	-	-	gz	berichtet die letzte Anmeldung für alle oder einen bestimmten Benutzer lexgrog -	1	1	1678659839	0	A	-	-	gz	wertet die Kopfzeilen-Information von Handbuchseiten aus login -	1	1	1744022326	0	A	-	-	gz	startet eine Sitzung auf dem System login.defs -	5	5	1744022326	0	A	-	-	gz	Konfiguration der Werkzeugsammlung für Shadow-Passwörter lzcat -	1	1	1743710139	0	B	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren lzcmp -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien vergleichen lzdiff -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien vergleichen lzegrep -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen lzfgrep -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen lzgrep -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen lzless -	1	1	1743710139	0	B	-	-	gz	mit xz oder lzma komprimierte (Text-)Dateien betrachten lzma -	1	1	1743710139	0	B	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren lzmore -	1	1	1743710139	0	B	-	-	gz	mit xz oder lzma komprimierte (Text-)Dateien lesen manpath 	manpath	1	manpath	5                 man -	1	1	1678659839	0	A	-	t	gz	eine Oberfläche für die System-Referenzhandbücher man-recode -	1	1	1678659839	0	A	-	-	gz	wandelt Handbuchseiten in eine andere Kodierung um manconv -	1	1	1678659839	0	A	-	-	gz	wandelt die Kodierung von Handbuchseiten um mandb -	8	8	1678659839	0	A	-	t	gz	Zwischenspeicher für Handbuchseiten-Indizes erzeugen oder aktualisieren manpath	1 -	1	1	1678659839	0	A	-	-	gz	bestimmt den Handbuchseiten-Suchpfad manpath	5 -	5	5	1678659839	0	A	-	-	gz	das Format der Datei /etc/manpath.config netstat -	8	8	1748287643	0	A	-	-	gz	Anzeige von Netzwerksverbindungen, Routentabellen, Schnittstellenstatistiken, maskierten Verbindungen, Netlink-Nachrichten und Mitgliedschaft in Multicastgruppen newgrp -	1	1	1744022326	0	A	-	-	gz	als neue Gruppe anmelden newusers -	8	8	1744022326	0	A	-	-	gz	erstellt oder aktualisiert mehrere neue Benutzer am Stück nmap -	1	1	1673900619	0	A	-	-	gz	Netzwerk-Analysewerkzeug und Sicherheits-/Portscanner nologin -	8	8	1744022326	0	A	-	-	gz	lehnt höflich eine Anmeldung ab passwd 	passwd	1	passwd	5 passwd	1 -	1	1	1744022326	0	A	-	-	gz	ändert das Passwort eines Benutzers passwd	5 -	5	5	1744022326	0	A	-	-	gz	die Passwortdatei pgrep -	1	1	1671429998	0	A	-	-	gz	Prozesse finden oder ein Signal auf Basis des Namens oder anderer Attribute senden oder auf Prozesse warten pidof -	1	1	1671429998	0	A	-	-	gz	die Prozesskennung eines laufenden Programms ermitteln pidwait -	1	1	1671429998	0	C	pgrep	-	gz	 pkill -	1	1	1671429998	0	C	pgrep	-	gz	 plipconfig -	8	8	1748287643	0	A	-	-	gz	Einstellung von PLIP Schnittstellen-Parametern pmap -	1	1	1671429998	0	A	-	-	gz	die Speicherzuordnung eines Prozesses melden ps -	1	1	1671429998	0	A	-	t	gz	einen Schnappschuss der aktuellen Prozesse darstellen. pwck -	8	8	1744022326	0	A	-	-	gz	verify the integrity of password files pwconv -	8	8	1744022326	0	A	-	-	gz	konvertiert zu oder von Shadow-Passwörtern und -gruppen pwdx -	1	1	1671429998	0	A	-	-	gz	aktuelles Arbeitsverzeichnis eines Prozesses anzeigen run-parts -	8	8	1690587995	0	A	-	-	gz	Skripte oder Programme in einem Verzeichnis ausführen rview -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer rvim -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer savelog -	8	8	1690587995	0	A	-	-	gz	eine Protokolldatei speichern sg -	1	1	1744022326	0	A	-	-	gz	führt einen Befehl unter einer anderen Gruppen-ID aus skill -	1	1	1671429998	0	A	-	-	gz	ein Signal senden oder den Prozessstatus ermitteln slabtop -	1	1	1671429998	0	A	-	t	gz	zeigt Informationen zum Slab-Zwischenspeicher des Kernels in Echtzeit an slattach -	8	8	1748287643	0	A	-	-	gz	Anbindung einer Netzwerksschnittstelle an eine serielle Verbindung snice -	1	1	1671429998	0	C	skill	-	gz	 start-stop-daemon -	8	8	1683770641	0	A	-	-	gz	startet und stoppt System-Daemon-Programme sysctl -	8	8	1671429998	0	A	-	-	gz	Kernelparameter zur Laufzeit konfigurieren unlzma -	1	1	1743710139	0	B	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren unxz -	1	1	1743710139	0	B	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren update-alternatives -	1	1	1683770641	0	A	-	-	gz	Verwaltung symbolischer Links zur Bestimmung von Standardwerten für Befehle useradd -	8	8	1744022326	0	A	-	-	gz	erstellt einen neuen Benutzer oder aktualisiert die Standardwerte für neue Benutzer usermod -	8	8	1744022326	0	A	-	-	gz	verändert ein Benutzerkonto watch -	1	1	1671429998	0	A	-	-	gz	ein Programm periodisch ausführen, die Ausgabe im Vollbildmodus anzeigen which -	1	1	1690587995	0	B	-	-	gz	finde einen Befehl which.debianutils -	1	1	1690587995	0	A	-	-	gz	finde einen Befehl xz -	1	1	1743710139	0	A	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren xzcat -	1	1	1743710139	0	B	-	t	gz	.xz- und .lzma-Dateien komprimieren oder dekomprimieren xzless -	1	1	1743710139	0	A	-	-	gz	mit xz oder lzma komprimierte (Text-)Dateien betrachten xzmore -	1	1	1743710139	0	A	-	-	gz	mit xz oder lzma komprimierte (Text-)Dateien lesen                                                                                                                                
       O             _      x       o                                                        l   0:8dpkgK         =   sdpkgG         G   qyfake|V      
   x   M%deb-M<         <   y5deb b;         5   F<failS      
      Hmanp_                                                                                                                                                                            Capt-7         c   m[man-U`         O   GHpido+e         S                                                               [qa0dpkgRJ         %                                           n\chgp:      
   K   Sacce0      	   b   passd      	   A   sU$ver 0      
      -#apt-3         v   D0debcD         ;    =Wuserl         q                                                               X)'apt 2         7                       ؎rvimxh         L                                                                                                                           xd=dpkgoQ         V                                                                                   "fakeU      	   )                       ?	gpasLW         C   Icm&chpa:      	   D    2dpkgXM         P                       -'passd            sdgrounX      	   R                       *0dpkgG         J   ٱ<pmap*f         I   WfakeWT         &                                                               O	kill[         ?   ZW.apt-4         c   	(dpkg4I         L   ,D;apt_8         V   w?deb-B         E   tdebcNE         J   =dpkgI         `   (dpkgKL         Q   mqfailO            5'fakeU         x   cinst\Z         ?   hz'snicj         !   o lexg[         U   <%9nmapfc         R   +i"dpkgP         W   ?newgb         5   
unxzk         T   4.watcDm         f                                                               v<xz  &n         T                       FR&apt-4         U   q#lzca\         T   e ps  xf         S   Cxzmo2o         O                                           f.<add-0      
   Y                                                               I3apt_8         @   6apt-6         p   deb-[@      
   B   addgR1      	   #   e<7dpkgN         =   1deb-V?         J                       m-%slat#j      	   _                                           ܨ!saveh         :   ethe[R         L                       I
grouW      	   0                       QdpkgtG         J                       "deb-@         U   V-delu#F         T   C*
dpkg
N         ]   :
grpcX         K   yq'unlzYk         T   2userm         9   F+xzlen         T                                           \ /etcJ0         (   a+7deb-;         I   2rvie&h         L   t)deb-A         ;   g
whicm         /   A2Znoloc         =   N*apt-3      
   ;   U8apt-k6      
   I   xc	chag9         H   +dpkgL      
   J   3arp 39         8   ?dpkgH         B   G>deluF      
   P   dpkgM         H   V3grouX      
   U   s-deb-A         W   ($apt-D7         m   ~manpja      
   A   ydeb-p>      
   9   run-g      
   S   +mand`         e   Y<sg  i         S   ,Astarj         G   ?05sysck         G   H,skilai         O   PTwhicm         /   Nnewuc      	   W   [8xzca}n         T   & )upda
l         i   e deb-B         B                                                                                                       #&apt-5      
   D   #apt-2      
   >   K deb->      
   A   Hdeb-?         G   P
>slabi         e                                                               !debcC         I                                                                                                         p   @>msens         6   #
Zxzeg         \                       Ytloau         T   }HQman  `         Q   ]vaddu1      
   P   b[dpkgK         Z   	'{Lapt-6         L   6_dpkg J         @   xdpkgJ         '   '`deb8NC         <   NedebcE      
   ;   EsourՒ      
   B   W?`cpidwe         !   VWupdaϓ         Y                                           isuzgrouW      	   6   AdpkgQ      	   5   eclogi[\         W   ֯Ruser         U                                           {vddeb-<         Y   k#Zdpkg]K         l                                           EPdeb-<         ,   zwhat         R   [-kapt.=8      	   9   p/etc0         (   vshad         1   ^|remo      
   W   q^lzcm]         =   CgrpcY         U   ~?OzsoeǙ         H   fhvmst         I                                           ŋJapt-\3         >   QfailiS      
   C   UNvim P         L                                           htxzdiX         =                                           +|gpkile         !                                           jDoplipe         K                                           vdeb-UA         F   w_dpkgJ         >                       pdpkgH      	   R                       :-ZdebcC         e   S7dychfn:         h   =Edeb-=         8   @apwun       	   U   Esysc$         E   <zXapt-Y5      	   a   _Sdeb-`B         Z   zigrpuwY      
   U   "]lzfg^         \                                                                                                                                                                   wVupti6         K   xVdpkg#O         :                       :gdpkg&Q      
   <   U/rdeb-=         J   r^dpkgM         ?   'Pdpkg P         N   zdeb-4=         @                       P|pwcog         U   "mdpkgF         7   cexpiR         e   eapro;2         Q   UlastL[         d   Hlzgrf^         \   ]sdpkgZP         X   jdsc R         H   SRpassfd      	   .   +gkernZ         O   QFvnetsb            [Ddeb-;         M   ACrarp^         9   XZseleA         s   'isens	         5   ՟rvali         O   txzcm         =   ]
grout          ;   ~;TdebcD         P                       Ivigr         k                                           vDlzeg]         \                                           }zlzmo}_         O   SVchsh';         6   Nhlogi\         @   9Ocatmo9         T   GsensN         @                                                                                   Kdfake$U      
      @{Mw   `         Z   	Iiex  R         L   F#GdpkgxN         K   }2NifcoZ      	   ?   T}|freeW         F   Csxzfg          \   ogshaY         6   WVmanc`         H                                           lN[deb- @         P                                           ctdeb-?      
   H   ;Ldeb->         H   opgred            B~qlzle^         T   [view         L                                           bypwdxrg         R                       IdelgE      	   #   *Rmanpa      
   E   x*^xzgrd         \                                           G6hapt-04         J   bbpwckf         C   꽛fdeb-B      
   *   Zkeaddu~1         X   W{fakeT            d'_lzdiZ]         =                       qvipw         k   eHdebc\D         5                                                                                   [chdpkgnO         Y   Z6svi  @         L                                           ֝izlzma$_         T   c<Gdpkg'H         K   pwunconv -	8	8	1744022326	0	B	-	-	gz	konvertiert zu oder von Shadow-Passwörtern und -gruppen rarp -	8	8	1748287643	0	A	-	-	gz	Manipulation des RARP-Caches remove-shell -	8	8	1690587995	0	A	-	-	gz	entfernt Shells aus der Liste der gültigen Anmelde-Shells route -	8	8	1748287643	0	A	-	-	gz	Anzeigen der IP-Routen-Tabelle select-editor -	1	1	1673713722	0	A	-	-	gz	wählt Ihre Vorgabe für den vernünftigen Editor aus allen installierten Editoren aus sensible-browser -	1	1	1673713722	0	A	-	-	gz	vernünftiges Web-Browsen sensible-editor -	1	1	1673713722	0	A	-	-	gz	vernünftiges Bearbeiten sensible-pager -	1	1	1673713722	0	A	-	-	gz	vernünftiges seitenweises Anzeigen shadow -	5	5	1744022326	0	A	-	-	gz	Shadow-Passwortdatei sources.list -	5	5	1685023897	0	A	-	-	gz	Liste konfigurierter APT-Datenquellen sysctl.conf -	5	5	1671429998	0	A	-	-	gz	Vorlade-/Konfigurationsdatei für Sysctl tload -	1	1	1671429998	0	A	-	-	gz	grafische Darstellung der durchschnittlichen Systemlast update-passwd -	8	8	1663669371	0	A	-	-	gz	/etc/passwd, /etc/shadow und /etc/group sicher aktualisieren uptime -	1	1	1671429998	0	A	-	-	gz	feststellen, wie lange das System schon läuft userdel -	8	8	1744022326	0	A	-	-	gz	löscht ein Benutzerkonto und die dazugehörigen Dateien validlocale -	8	8	1741301213	0	A	-	-	gz	Prüfen, ob eine übergebene Locale verfügbar ist vi -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer view -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer vigr -	8	8	1744022326	0	B	-	-	gz	bearbeitet die Passwort-, Gruppen-, Shadow-Passwort- oder Shadow-Gruppen-Datei vim -	1	1	1739683421	0	A	-	-	gz	Vi IMproved, ein Text-Editor für Programmierer vipw -	8	8	1744022326	0	A	-	-	gz	bearbeitet die Passwort-, Gruppen-, Shadow-Passwort- oder Shadow-Gruppen-Datei vmstat -	8	8	1671429998	0	A	-	-	gz	Statistiken zum virtuellen Speicher anzeigen w -	1	1	1671429998	0	A	-	-	gz	anzeigen, welche Benutzer angemeldet sind und was sie machen. whatis -	1	1	1678659839	0	A	-	-	gz	durchsucht die Indexdatenbank nach Kurzbeschreibungen xzcmp -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien vergleichen xzdiff -	1	1	1743710139	0	A	-	-	gz	komprimierte Dateien vergleichen xzegrep -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen xzfgrep -	1	1	1743710139	0	B	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen xzgrep -	1	1	1743710139	0	A	-	-	gz	komprimierte Dateien nach einem regulären Ausdruck durchsuchen zsoelim -	1	1	1678659839	0	A	-	-	gz	führt ».so«-Anfragen in Roff-Quellen aus                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    3
      5                                                                                                                                                                             }HQman 1         Y                       Hmanp3                                                                        ¼rма5         #                                                                                   m[man-<2         n                                                                                                                                                                                       Sacce0      	                          sU$ver 0      
      zwhat4         u   ~?Ozsoe+5         d                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       o lexga1         v                                                                                                                                                                                                           eapro0                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    9Ocatm0                                                                                                                                                                                                                                                            WVmanc2                                                                                                                                                        ~manp3      
   r                                                                                                                                               +mand=3         }   *RmanpY4      
   L                                                                                                                                                                                                                                                                                                                                                                                                                                                           $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	исписује садржај ман-дб базе података у запису који се може прочитати apropos -	1	1	1678659839	0	A	-	-	gz	 catman -	8	8	1678659839	0	A	-	-	gz	ствара или освежава предобликоване странице упутства lexgrog -	1	1	1678659839	0	A	-	-	gz	обрађује податке заглавља у страницама упутства man -	1	1	1678659839	0	A	-	t	gz	сучеље за упутства упута система man-recode -	1	1	1678659839	0	A	-	-	gz	претвара странице упутства у друго кодирање manconv -	1	1	1678659839	0	A	-	-	gz	претвара страницу упутства из једног кодирања у друго mandb -	8	8	1678659839	0	A	-	t	gz	ствара или освежава оставе пописа странице упутства manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	одређује путању претраге за странице упутства manpath	5 -	5	5	1678659839	0	A	-	-	gz	запис датотеке /etc/manpath.config whatis -	1	1	1678659839	0	A	-	-	gz	приказује описе страница упутства у једном реду zsoelim -	1	1	1678659839	0	A	-	-	gz	задовољава „.so“ захтеве у улазу рофф-а манпутања -	5	5	1678659839	0	C	manpath	-	gz	                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          9                                                                                                                                                                              }HQman 3         L                       Hmanp5                                                                                                                                                                            m[man-3         U                       isuzgrouB2      	   5   ֯Ruser&7         Y                                                                                                                           Sacce0      	   n   pass5      	   D   sU$ver 0      
      zwhatL9         P   ~?Ozsoe9         I    =Wuser6         v   vshadl6         5                                                                                                                                               UNvim z8         Q                                                                                                                                                                                                                                                                                           -'pass5            sdgrou2      	   ?                                                               S7dychfn1         @                                                                                                                                                                                                                                                                                                               o lexg2         M                                                                                                                                                                                                           eapro0         P                                                                                                       SRpass76      	   ,                                                                                                                                                                                                                                                                                                                                   I
grou2      	   ,                       NhlogiR3         G                       9Ocatm0         d                                           2user7         A                                                                                   	Iiex  1         Q                                                                                   WVmancO4         Y                                                               xc	chagJ1         Y                                                               ~manp-5      
   J   [view$8         Q                                                                                                                           +mand4         Z   *Rmanp5      
   E                       T\vimd8         u                                                                                                                                                                                                                                                                                           Z6svi  7         Q                                                                                                       $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	man-db veritabanının içeriğini insan tarafından okunabilir bir biçimde dök apropos -	1	1	1678659839	0	A	-	-	gz	kılavuz sayfası adları ve açıklamalarında ara catman -	8	8	1678659839	0	A	-	-	gz	önceden biçimlendirilmiş kılavuz sayfaları oluştur veya güncelle chage -	1	1	1744022326	0	A	-	-	gz	kullanıcı parolasının son kullanma tarihini değiştirir chfn -	1	1	1744022326	0	A	-	-	gz	kişisel bilgilerinizi değiştirir ex -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, bir programcının metin düzenleyicisi groupadd -	8	8	1744022326	0	A	-	-	gz	yeni bir grup oluşturur groupdel -	8	8	1744022326	0	A	-	-	gz	bir grubu siler groupmod -	8	8	1744022326	0	A	-	-	gz	bir grubun niteliklerini düzenler lexgrog -	1	1	1678659839	0	A	-	-	gz	man sayfalarında başlık bilgisini ayrıştır login -	1	1	1744022326	0	A	-	-	gz	Kullanıcının sisteme girişini sağlar. man -	1	1	1678659839	0	A	-	t	gz	sistem başvuru kılavuzları için bir arayüz man-recode -	1	1	1678659839	0	A	-	-	gz	kılavuz sayfalarını başka bir kodlamaya dönüştür manconv -	1	1	1678659839	0	A	-	-	gz	kılavuz sayfasını bir kodlamadan diğerine dönüştürü mandb -	8	8	1678659839	0	A	-	t	gz	kılavuz sayfası index önbellekleri oluştur veya güncelle manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	kılavuz sayfalarının arama yolunu belirler manpath	5 -	5	5	1678659839	0	A	-	-	gz	/etc/manpath.config dosyasının biçimi passwd 	passwd	1	passwd	5 passwd	1 -	1	1	1744022326	0	A	-	-	gz	kullanıcının parolasını günceller passwd	5 -	5	5	1744022326	0	A	-	-	gz	parola dosyası shadow -	5	5	1744022326	0	A	-	-	gz	şifreli parola dosyası useradd -	8	8	1744022326	0	A	-	-	gz	yeni bir kullanıcı oluşturur veya öntanımlı yeni kullanıcı bilgilerini günceller userdel -	8	8	1744022326	0	A	-	-	gz	Bir kullanıcı hesabını ve onunla ilgili dosyaları siler usermod -	8	8	1744022326	0	A	-	-	gz	bir kullanıcı hesabını düzenler vi -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, bir programcının metin düzenleyicisi view -	1	1	1739683421	0	B	-	-	gz	Vi IMproved, bir programcının metin düzenleyicisi vim -	1	1	1739683421	0	A	-	-	gz	Vi IMproved, bir programcının metin düzenleyicisi vimdiff -	1	1	1739683421	0	A	-	-	gz	bir dosyanın dört adede kadar sürümlerini Vim ile düzenle ve ayrımlarını göster whatis -	1	1	1678659839	0	A	-	-	gz	tek satır kılavuz sayfası tanımı görüntüler zsoelim -	1	1	1678659839	0	A	-	-	gz	roff girdisindeki .so istekleri yerine getir                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             ϚW             	          P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    -       ?      2       ?      =
      B                                                          2   qyfake%A      
                                                                  }HQman 8         O                       Hmanp9:                                VWupda<         \                       Nedebcj6      
   L                                                                                   m[man-9         N                                           Adpkg7      	   >                                                                                                                           Sacce0      	   p                       sU$ver 0      
      -#apt-A2         w   D0debcI5         ?   zwhat<         Z   ~?Ozsoe=         K   ^|remo;      
   Z                                                                                                                           ŋJapt-1         M                                                                                                                                                                   "fake@      	                                               2dpkg6         a                                                                                                                           :-Zdebc4         _   Wfake=                                                                                            cinst%8         A                                                               tdebc6         H   5'fake @                                                                                                                o lexgt8         P   <%9nmap	B         d                                           U/rdeb-rB         I                                                                                                                           eapro0         P                                           ՟rvalir<         [   ]sdpkg7         L                       f.<add-0      
   X                                                               I3apt_3         ;                                                                                                       ~;Tdebc5         e                                                               ܨ!save;         E                                                                                                                           9Ocatm3         S                                                                                                       Kdfake?      
                                              F#Gdpkg67         @                                                               WVmancx9         W   run-h;      
   I   N*apt-1      
   S   U8apt-%3      
   Y   g
whic:=         ,                       ?dpkgA         ?                       ~manpV:      
   S                                                                                                                                               +mand9         \   *Rmanp:      
   D   PTwhicl=         ,                                           G6hapt-2         I                                           W{fake>                                                                                            eHdebc4         A                                           #apt-C1      
   ?                                                                                                                           !debc04         H   $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	vuelca el contenido de una base de datos man-db en un formato legible para personas add-shell -	8	8	1690587995	0	A	-	-	gz	Añade consolas a la lista de consolas de sesión admitidas apropos -	1	1	1678659839	0	A	-	-	gz	busca nombres y descripciones de páginas de manual apt-cache -	8	8	1685023897	0	A	-	-	gz	Realiza consultas al caché de APT apt-cdrom -	8	8	1685023897	0	A	-	-	gz	Herramienta de APT para la gestión de discos ópticos apt-config -	8	8	1685023897	0	A	-	-	gz	Programa para consultar la configuración de APT apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Herramienta de extracción de configuración de debconf y plantillas de paquetes de Debian apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	Herramienta para generar ficheros de índice apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	Herramienta para ordenar los ficheros de índice de paquetes apt_preferences -	5	5	1685023897	0	A	-	-	gz	Fichero de preferencias de APT catman -	8	8	1678659839	0	A	-	-	gz	crea o actualiza las páginas de manual preformateadas debconf -	1	1	1673214651	0	A	-	-	gz	Ejecuta un programa que hace uso de debconf debconf-apt-progress -	1	1	1673214651	0	A	-	-	gz	Instala paquetes usando debconf para mostrar una barra de progreso debconf-communicate -	1	1	1673214651	0	A	-	-	gz	Permite la comunicación con debconf debconf-copydb -	1	1	1673214651	0	A	-	-	gz	Copia una base de datos de debconf debconf-escape -	1	1	1673214651	0	A	-	-	gz	Asistente para la interacción con la funcionalidad de escape de debconf debconf-set-selections -	1	1	1673214651	0	A	-	-	gz	insert new values into the debconf database debconf-show -	1	1	1673214651	0	A	-	-	gz	Realiza consultas a la base de datos de debconf dpkg-preconfigure -	8	8	1673214651	0	A	-	-	gz	Permite que los paquetes formulen preguntas antes de su instalación dpkg-reconfigure -	8	8	1673214651	0	A	-	-	gz	Reconfigura un paquete ya instalado dpkg-split -	1	1	1683770641	0	A	-	-	gz	Herramienta para separar y unir paquetes Debian dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	Fichero de configuración de dpkg installkernel -	8	8	1690587995	0	A	-	-	gz	Instala una imagen del núcleo nueva lexgrog -	1	1	1678659839	0	A	-	-	gz	analiza la información de cabecera en páginas man man -	1	1	1678659839	0	A	-	t	gz	interfaz de los manuales de referencia del sistema man-recode -	1	1	1678659839	0	A	-	-	gz	convierte páginas de manual a otra codificación manconv -	1	1	1678659839	0	A	-	-	gz	convierte página de manual desde una codificación a otra mandb -	8	8	1678659839	0	A	-	t	gz	crea o actualiza las cachés de índicies de páginas de manual manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	determina la ruta de búsqueda para páginas de manual manpath	5 -	5	5	1678659839	0	A	-	-	gz	formato del archivo /etc/manpath.config remove-shell -	8	8	1690587995	0	A	-	-	gz	Elimina consolas de la lista de consolas de sesión admitidas run-parts -	8	8	1690587995	0	A	-	-	gz	Ejecuta scripts o programas en un directorio savelog -	8	8	1690587995	0	A	-	-	gz	Guarda un archivo de registro de eventos update-passwd -	8	8	1663669371	0	A	-	-	gz	Actualiza /etc/passwd, /etc/shadow y /etc/group de forma segura validlocale -	8	8	1741301213	0	A	-	-	gz	Comprueba si la opción de localización dada está disponible whatis -	1	1	1678659839	0	A	-	-	gz	muestra descripciones de una línea de las páginas de manual which -	1	1	1690587995	0	B	-	-	gz	Busca una orden which.debianutils -	1	1	1690587995	0	A	-	-	gz	Busca una orden zsoelim -	1	1	1678659839	0	A	-	-	gz	satisface peticiones .so en la entrada de roff faked -	1	1	1679131320	0	B	-	-	gz	demonio que recuerda los propietarios/permisos falsos de ficheros manipulados por un proceso fakeroot. faked-sysv -	1	1	1679131320	0	A	-	-	gz	demonio que recuerda los propietarios/permisos falsos de ficheros manipulados por un proceso fakeroot. faked-tcp -	1	1	1679131320	0	A	-	-	gz	demonio que recuerda los propietarios/permisos falsos de ficheros manipulados por un proceso fakeroot. fakeroot -	1	1	1679131320	0	C	fakeroot-sysv	-	gz	                                              fakeroot-sysv -	1	1	1679131320	0	A	-	-	gz	ejecuta una orden en un entorno que falsea privilegios de superusuario para la manipulaciÃ³n de ficheros fakeroot -	1	1	1679131320	0	B	-	-	gz	ejecuta una orden en un entorno que falsea privilegios de superusuario para la manipulaciÃ³n de ficheros fakeroot-tcp -	1	1	1679131320	0	A	-	-	gz	ejecuta una orden en un entorno que falsea privilegios de superusuario para la manipulaciÃ³n de ficheros dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	Añade entradas a «debian/files» nmap -	1	1	1673900619	0	A	-	-	gz	Herramienta de exploración de redes y de sondeo de seguridad / puertos deb-old -	5	5	1683770641	0	A	-	-	gz	Antiguo formato de paquete binario de Debian                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              ϚW             	          P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    1       ?      k
      B                                                                          2   qyfake;      
                                                                  }HQman <         O                       Hmanp7>                                VWupda@         \                       Nedebc6      
   L                                                                                   m[man-=         N                                           Adpkg8      	   >                                                                                                                           Sacce0      	   p                       sU$ver 0      
      -#apt-A2         w   D0debc5         ?   zwhatqA         Z   ~?OzsoeBB         K   ^|remoh?      
   Z                                                                                                                           ŋJapt-1         M                                                                                                                                                                   "fakej:      	                                               2dpkgd7         a                                                                                                                           :-Zdebc4         _   Wfake8                                                                                            cinst#<         A                                                               tdebc\6         H   5'fake:                                                                                                                o lexgr<         P   <%9nmap>         d                                           U/rdeb-04         I                                                                                                                           eapro0         P                                           ՟rvali
A         [   ]sdpkg(8         L                       f.<add-0      
   X                                                               I3apt_3         ;                                                                                                       ~;Tdebc5         e                                                               ܨ!saveS@         E                                                                                                                           9Ocatm3         S                                                                                                       Kdfake9      
                                              F#Gdpkg7         @                                                               WVmancv=         W   run- @      
   I   N*apt-1      
   S   U8apt-%3      
   Y   g
whicA         ,                       ?dpkg7         ?                       ~manpT>      
   S                                                                                                                                               +mand=         \   *Rmanp>      
   D   PTwhicB         ,                                           G6hapt-2         I                                           W{fakeO9                                                                                            eHdebcE5         A                                           #apt-C1      
   ?                                                                                                                           !debc4         H   $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	vuelca el contenido de una base de datos man-db en un formato legible para personas add-shell -	8	8	1690587995	0	A	-	-	gz	Añade consolas a la lista de consolas de sesión admitidas apropos -	1	1	1678659839	0	A	-	-	gz	busca nombres y descripciones de páginas de manual apt-cache -	8	8	1685023897	0	A	-	-	gz	Realiza consultas al caché de APT apt-cdrom -	8	8	1685023897	0	A	-	-	gz	Herramienta de APT para la gestión de discos ópticos apt-config -	8	8	1685023897	0	A	-	-	gz	Programa para consultar la configuración de APT apt-extracttemplates -	1	1	1685023897	0	A	-	-	gz	Herramienta de extracción de configuración de debconf y plantillas de paquetes de Debian apt-ftparchive -	1	1	1685023897	0	A	-	-	gz	Herramienta para generar ficheros de índice apt-sortpkgs -	1	1	1685023897	0	A	-	-	gz	Herramienta para ordenar los ficheros de índice de paquetes apt_preferences -	5	5	1685023897	0	A	-	-	gz	Fichero de preferencias de APT catman -	8	8	1678659839	0	A	-	-	gz	crea o actualiza las páginas de manual preformateadas deb-old -	5	5	1683770641	0	A	-	-	gz	Antiguo formato de paquete binario de Debian debconf -	1	1	1673214651	0	A	-	-	gz	Ejecuta un programa que hace uso de debconf debconf-apt-progress -	1	1	1673214651	0	A	-	-	gz	Instala paquetes usando debconf para mostrar una barra de progreso debconf-communicate -	1	1	1673214651	0	A	-	-	gz	Permite la comunicación con debconf debconf-copydb -	1	1	1673214651	0	A	-	-	gz	Copia una base de datos de debconf debconf-escape -	1	1	1673214651	0	A	-	-	gz	Asistente para la interacción con la funcionalidad de escape de debconf debconf-set-selections -	1	1	1673214651	0	A	-	-	gz	insert new values into the debconf database debconf-show -	1	1	1673214651	0	A	-	-	gz	Realiza consultas a la base de datos de debconf dpkg-distaddfile -	1	1	1683770641	0	A	-	-	gz	Añade entradas a «debian/files» dpkg-preconfigure -	8	8	1673214651	0	A	-	-	gz	Permite que los paquetes formulen preguntas antes de su instalación dpkg-reconfigure -	8	8	1673214651	0	A	-	-	gz	Reconfigura un paquete ya instalado dpkg-split -	1	1	1683770641	0	A	-	-	gz	Herramienta para separar y unir paquetes Debian dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	Fichero de configuración de dpkg faked -	1	1	1679131320	0	B	-	-	gz	demonio que recuerda los propietarios/permisos falsos de ficheros manipulados por un proceso fakeroot. faked-sysv -	1	1	1679131320	0	A	-	-	gz	demonio que recuerda los propietarios/permisos falsos de ficheros manipulados por un proceso fakeroot. faked-tcp -	1	1	1679131320	0	A	-	-	gz	demonio que recuerda los propietarios/permisos falsos de ficheros manipulados por un proceso fakeroot. fakeroot -	1	1	1679131320	0	B	-	-	gz	ejecuta una orden en un entorno que falsea privilegios de superusuario para la manipulaciÃ³n de ficheros fakeroot-sysv -	1	1	1679131320	0	A	-	-	gz	ejecuta una orden en un entorno que falsea privilegios de superusuario para la manipulaciÃ³n de ficheros fakeroot-tcp -	1	1	1679131320	0	A	-	-	gz	ejecuta una orden en un entorno que falsea privilegios de superusuario para la manipulaciÃ³n de ficheros installkernel -	8	8	1690587995	0	A	-	-	gz	Instala una imagen del núcleo nueva lexgrog -	1	1	1678659839	0	A	-	-	gz	analiza la información de cabecera en páginas man man -	1	1	1678659839	0	A	-	t	gz	interfaz de los manuales de referencia del sistema man-recode -	1	1	1678659839	0	A	-	-	gz	convierte páginas de manual a otra codificación manconv -	1	1	1678659839	0	A	-	-	gz	convierte página de manual desde una codificación a otra mandb -	8	8	1678659839	0	A	-	t	gz	crea o actualiza las cachés de índicies de páginas de manual manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	determina la ruta de búsqueda para páginas de manual manpath	5 -	5	5	1678659839	0	A	-	-	gz	formato del archivo /etc/manpath.config nmap -	1	1	1673900619	0	A	-	-	gz	Herramienta de exploración de redes y de sondeo de seguridad / puertos remove-shell -	8	8	1690587995	0	A	-	-	gz	Elimina consolas de la lista de consolas de sesión admitidas                                                  run-parts -	8	8	1690587995	0	A	-	-	gz	Ejecuta scripts o programas en un directorio savelog -	8	8	1690587995	0	A	-	-	gz	Guarda un archivo de registro de eventos update-passwd -	8	8	1663669371	0	A	-	-	gz	Actualiza /etc/passwd, /etc/shadow y /etc/group de forma segura validlocale -	8	8	1741301213	0	A	-	-	gz	Comprueba si la opción de localización dada está disponible whatis -	1	1	1678659839	0	A	-	-	gz	muestra descripciones de una línea de las páginas de manual which -	1	1	1690587995	0	B	-	-	gz	Busca una orden which.debianutils -	1	1	1690587995	0	A	-	-	gz	Busca una orden zsoelim -	1	1	1678659839	0	A	-	-	gz	satisface peticiones .so en la entrada de roff                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    4
      2                                                                                                                                                                                                                                                                                                                                                                                                                                                 isuzgrou0      	   0   ֯Ruser82         L                                                                                                                                                                   sU$ver 0      
                                               =Wuser1         T                                                                                                                                                                                                                                                                                                                                                                                                                   Icm&chpaP0      	   ;                                           -'pass1            sdgrouA1      	   ,                                                               S7dychfn0         ;                                                                                                                                                                                                                                                                                                                                                                           ?newgv1         ;                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           I
grou1      	   )                       SVchsh0         =                                                                                   2user2         8                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       $version$ 2.5.0 chfn -	1	1	1744022326	0	A	-	-	gz	改 變 你 的 finger 訊 息 chpasswd -	8	8	1744022326	0	A	-	-	gz	成批更新使用者的口令 chsh -	1	1	1744022326	0	A	-	-	gz	更換你登入時所用的shell groupadd -	8	8	1744022326	0	A	-	-	gz	建 立 新 群 組 groupdel -	8	8	1744022326	0	A	-	-	gz	刪除群組 groupmod -	8	8	1744022326	0	A	-	-	gz	修 改 群 組 newgrp -	1	1	1744022326	0	A	-	-	gz	登入到新的使用者組中 passwd -	5	5	1744022326	0	A	-	-	gz	 useradd -	8	8	1744022326	0	A	-	-	gz	帳 號 建 立 或 更 新 新 使 用 者 的 資 訊 userdel -	8	8	1744022326	0	A	-	-	gz	刪 除 使 用 者 帳 號 及 相 關 檔 案 usermod -	8	8	1744022326	0	A	-	-	gz	修 改 使 用 者 帳 號                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     ϚW             	          `                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ?      "       O            pQ                                                          F                                                                                   }HQman A         g   F<fail,:      
      Hmanp?                                VWupdaI         z                       Nedebc6      
   ]                                                                                   m[man-|A         d                       isuzgrou7;      	   C   eclogi@         y   ֯RuserK         n                                                                                   n\chgp2      
   h   Sacce0      	      pass6E      	   S   sU$ver 0      
      D0debc5         K   zwhat P             =Wuser?J            vshadmI         C   ~?OzsoeP         l                       Cgrpc=                                ؎rvimG                                                    Qfail9      
   w   UNvim M                                                                                                                                                                                                ?	gpas:         C   Icm&chpa13      	   ]    2dpkg`7         z                       -'pass?            sdgrouE<      	   c                                           :-Zdebc~4            S7dychfn\2         ^   @apwunF      	                                                                  zigrpu=      
                                                                  tdebcw6         h   mqfail9                                                                                                                o lexg @            <%9nmapP         q                       ?newgC         z                                                                                                       P|pwcoF            cexpi8            eapro0            Ulast>                                                                                            SRpassE      	   4                                                               ^|semafH                                                                                                                ~;Tdebc5         l                       Ivigr
M                                                                                            I
grou;      	   8                       SVchsh3         v   Nhlogit?         J   9Ocatm61                                                    :
grpc<         `   2userK         b                                                               	Iiex  r8            F#Gdpkg7         u   2rvieIG                                                    ogshaK>         f   WVmancA         f   A2ZnoloD         b                       xc	chag1                                V3grou;      
   w                       ~manpB      
   k   [view|L                                                                        Y<sg   I         j                                           +mandYB         x   *RmanpLC      
   H                       T\vimdYN                                                    NnewuD      	      bbpwckE         C                                                                                   qvipwO            eHdebc05         ^                                                                                   Z6svi  K                                                                                            !debc4         d   $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	сбрасывает содержимое базы данных man-db в понятный человеку формат apropos -	1	1	1678659839	0	A	-	-	gz	поиск в именах справочных страниц и кратких описаниях catman -	8	8	1678659839	0	A	-	-	gz	создаёт или обновляет уже отформатированные справочные страницы chage -	1	1	1744022326	0	A	-	-	gz	изменяет информацию об устаревании пароля пользователя chfn -	1	1	1744022326	0	A	-	-	gz	изменяет информацию о пользователе chgpasswd -	8	8	1744022326	0	A	-	-	gz	обновляет пароли групп в пакетном режиме chpasswd -	8	8	1744022326	0	A	-	-	gz	обновляет пароли в пакетном режиме chsh -	1	1	1744022326	0	A	-	-	gz	изменяет регистрационную оболочку пользователя debconf -	1	1	1673214651	0	A	-	-	gz	запускает программу, использующую debconf debconf-apt-progress -	1	1	1673214651	0	A	-	-	gz	устанавливает пакеты используя debconf для показа индикатора выполнения debconf-communicate -	1	1	1673214651	0	A	-	-	gz	программа для взаимодействия с debconf debconf-copydb -	1	1	1673214651	0	A	-	-	gz	копирует базу данных debconf debconf-escape -	1	1	1673214651	0	A	-	-	gz	помощник при работе с возможностью debconf escape debconf-set-selections -	1	1	1673214651	0	A	-	-	gz	вставляет новые ответы в базу данных debconf debconf-show -	1	1	1673214651	0	A	-	-	gz	выполнить запрос к базе данных debconf dpkg-preconfigure -	8	8	1673214651	0	A	-	-	gz	позволяет пакетам задать вопросы перед установкой dpkg-reconfigure -	8	8	1673214651	0	A	-	-	gz	перенастраивает заново уже установленный пакет ex -	1	1	1739683421	0	B	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов expiry -	1	1	1744022326	0	A	-	-	gz	проверяет и изменяет пароль согласно политике устаревания faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	файл протокола неудачных попыток входа в систему faillog	8 -	8	8	1744022326	0	A	-	-	gz	показывает записи из файла faillog или задаёт предел неудачных попыток входа в систему gpasswd -	1	1	1744022326	0	A	-	-	gz	administer /etc/group and /etc/gshadow groupadd -	8	8	1744022326	0	A	-	-	gz	создаёт новую группу groupdel -	8	8	1744022326	0	A	-	-	gz	удаляет группу groupmems -	8	8	1744022326	0	A	-	-	gz	управляет членами первичной группы пользователя groupmod -	8	8	1744022326	0	A	-	-	gz	изменяет определение группы в системе grpck -	8	8	1744022326	0	A	-	-	gz	проверяет корректность файлов групп grpconv -	8	8	1744022326	0	B	-	-	gz	преобразует пароли пользователей и групп в/из защищённую форму grpunconv -	8	8	1744022326	0	B	-	-	gz	преобразует пароли пользователей и групп в/из защищённую форму gshadow -	5	5	1744022326	0	A	-	-	gz	файл с защищаемой информацией о группах lastlog -	8	8	1744022326	0	A	-	-	gz	выводит отчёт о последней регистрации в системе всех или указанного пользователя login -	1	1	1744022326	0	A	-	-	gz	начинает сеанс в системе manpath 	manpath	1	manpath	5 passwd 	passwd	1	passwd	5      lexgrog -	1	1	1678659839	0	A	-	-	gz	анализирует заголовочную информацию справочных страниц login.defs -	5	5	1744022326	0	A	-	-	gz	содержит конфигурацию подсистемы теневых паролей man -	1	1	1678659839	0	A	-	t	gz	доступ к системным справочным страницам man-recode -	1	1	1678659839	0	A	-	-	gz	изменяет кодировку справочных страниц manconv -	1	1	1678659839	0	A	-	-	gz	изменяет кодировку справочной страницы mandb -	8	8	1678659839	0	A	-	t	gz	создаёт или обновляет кэши index справочных страниц manpath	1 -	1	1	1678659839	0	A	-	-	gz	определяет путь поиска справочных страниц manpath	5 -	5	5	1678659839	0	A	-	-	gz	формат файла /etc/manpath.config newgrp -	1	1	1744022326	0	A	-	-	gz	выполняет регистрацию пользователя в новой группе newusers -	8	8	1744022326	0	A	-	-	gz	обновляет и создаёт новые учётные записи пользователей в пакетном режиме nologin -	8	8	1744022326	0	A	-	-	gz	вежливо отказывает во входе в систему passwd	1 -	1	1	1744022326	0	A	-	-	gz	изменяет пароль пользователя passwd	5 -	5	5	1744022326	0	A	-	-	gz	файл паролей pwck -	8	8	1744022326	0	A	-	-	gz	verify the integrity of password files pwconv -	8	8	1744022326	0	A	-	-	gz	преобразует пароли пользователей и групп в/из защищённую форму pwunconv -	8	8	1744022326	0	B	-	-	gz	преобразует пароли пользователей и групп в/из защищённую форму rview -	1	1	1739683421	0	B	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов rvim -	1	1	1739683421	0	B	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов semanage.conf -	5	5	1654362635	0	A	-	-	gz	глобальный файл конфигурации для библиотеки управления SELinux sg -	1	1	1744022326	0	A	-	-	gz	выполняет команду с правами другой группы shadow -	5	5	1744022326	0	A	-	-	gz	файл теневых паролей update-passwd -	8	8	1663669371	0	A	-	-	gz	безопасное обновление файлов /etc/passwd, /etc/shadow и /etc/group useradd -	8	8	1744022326	0	A	-	-	gz	регистрирует нового пользователя или изменяет информацию по умолчанию о новых пользователях userdel -	8	8	1744022326	0	A	-	-	gz	удаляет учётную запись и файлы пользователя usermod -	8	8	1744022326	0	A	-	-	gz	изменяет учётную запись пользователя vi -	1	1	1739683421	0	B	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов view -	1	1	1739683421	0	B	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов vigr -	8	8	1744022326	0	B	-	-	gz	позволяют редактировать файлы паролей, групп, теневых паролей пользователей или групп. vim -	1	1	1739683421	0	A	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов vimdiff -	1	1	1739683421	0	A	-	-	gz	позволяет редактировать две или три версии файла с помощью Vim с отображением различий. vipw -	8	8	1744022326	0	A	-	-	gz	позволяют редактировать файлы паролей, групп, теневых паролей пользователей или групп.                                   whatis -	1	1	1678659839	0	A	-	-	gz	показывает однострочные описания справочных страниц zsoelim -	1	1	1678659839	0	A	-	-	gz	выполняет .so запросы для входящих данных roff nmap -	1	1	1673900619	0	A	-	-	gz	Утилита для исследования сети и сканер портов                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 ϚW             	          `                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ?      n       O      D      Q                                                          F                                                                                   }HQman A         g   F<fail,:      
      Hmanp?                                VWupda-J         z                       Nedebc6      
   ]                                                                                   m[man-|A         d                       isuzgrou7;      	   C   eclogi@         y   ֯RuserK         n                                                                                   n\chgp2      
   h   Sacce0      	      passE      	   S   sU$ver 0      
      D0debc5         K   zwhatP             =WuserJ            vshadI         C   ~?OzsoeHQ         l                       Cgrpc=                                ؎rvimNH                                                    Qfail9      
   w   UNvim BN                                                                                                                                                                                                ?	gpas:         C   Icm&chpa13      	   ]    2dpkg`7         z                       -'pass?            sdgrouE<      	   c                                           :-Zdebc~4            S7dychfn\2         ^   @apwun%G      	                                                                  zigrpu=      
                                                                  tdebcw6         h   mqfail9                                                                                                                o lexg @            <%9nmapD         q                       ?newgC         z                                                                                                       P|pwcoF            cexpi8            eapro0            Ulast>                                                                                            SRpassF      	   4                                                               ^|semaH                                                                                                                ~;Tdebc5         l                       IvigrM                                                                                            I
grou;      	   8                       SVchsh3         v   Nhlogit?         J   9Ocatm61                                                    :
grpc<         `   2userK         b                                                               	Iiex  r8            F#Gdpkg7         u   2rvieG                                                    ogshaK>         f   WVmancA         f   A2ZnoloBE         b                       xc	chag1                                V3grou;      
   w                       ~manpB      
   k   [viewL                                                                        Y<sg  vI         j                                           +mandYB         x   *RmanpLC      
   H                       T\vimdN                                                    NnewuD      	      bbpwckEF         C                                                                                   qvipw P            eHdebc05         ^                                                                                   Z6svi  fL                                                                                            !debc4         d   $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	сбрасывает содержимое базы данных man-db в понятный человеку формат apropos -	1	1	1678659839	0	A	-	-	gz	поиск в именах справочных страниц и кратких описаниях catman -	8	8	1678659839	0	A	-	-	gz	создаёт или обновляет уже отформатированные справочные страницы chage -	1	1	1744022326	0	A	-	-	gz	изменяет информацию об устаревании пароля пользователя chfn -	1	1	1744022326	0	A	-	-	gz	изменяет информацию о пользователе chgpasswd -	8	8	1744022326	0	A	-	-	gz	обновляет пароли групп в пакетном режиме chpasswd -	8	8	1744022326	0	A	-	-	gz	обновляет пароли в пакетном режиме chsh -	1	1	1744022326	0	A	-	-	gz	изменяет регистрационную оболочку пользователя debconf -	1	1	1673214651	0	A	-	-	gz	запускает программу, использующую debconf debconf-apt-progress -	1	1	1673214651	0	A	-	-	gz	устанавливает пакеты используя debconf для показа индикатора выполнения debconf-communicate -	1	1	1673214651	0	A	-	-	gz	программа для взаимодействия с debconf debconf-copydb -	1	1	1673214651	0	A	-	-	gz	копирует базу данных debconf debconf-escape -	1	1	1673214651	0	A	-	-	gz	помощник при работе с возможностью debconf escape debconf-set-selections -	1	1	1673214651	0	A	-	-	gz	вставляет новые ответы в базу данных debconf debconf-show -	1	1	1673214651	0	A	-	-	gz	выполнить запрос к базе данных debconf dpkg-preconfigure -	8	8	1673214651	0	A	-	-	gz	позволяет пакетам задать вопросы перед установкой dpkg-reconfigure -	8	8	1673214651	0	A	-	-	gz	перенастраивает заново уже установленный пакет ex -	1	1	1739683421	0	B	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов expiry -	1	1	1744022326	0	A	-	-	gz	проверяет и изменяет пароль согласно политике устаревания faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	файл протокола неудачных попыток входа в систему faillog	8 -	8	8	1744022326	0	A	-	-	gz	показывает записи из файла faillog или задаёт предел неудачных попыток входа в систему gpasswd -	1	1	1744022326	0	A	-	-	gz	administer /etc/group and /etc/gshadow groupadd -	8	8	1744022326	0	A	-	-	gz	создаёт новую группу groupdel -	8	8	1744022326	0	A	-	-	gz	удаляет группу groupmems -	8	8	1744022326	0	A	-	-	gz	управляет членами первичной группы пользователя groupmod -	8	8	1744022326	0	A	-	-	gz	изменяет определение группы в системе grpck -	8	8	1744022326	0	A	-	-	gz	проверяет корректность файлов групп grpconv -	8	8	1744022326	0	B	-	-	gz	преобразует пароли пользователей и групп в/из защищённую форму grpunconv -	8	8	1744022326	0	B	-	-	gz	преобразует пароли пользователей и групп в/из защищённую форму gshadow -	5	5	1744022326	0	A	-	-	gz	файл с защищаемой информацией о группах lastlog -	8	8	1744022326	0	A	-	-	gz	выводит отчёт о последней регистрации в системе всех или указанного пользователя login -	1	1	1744022326	0	A	-	-	gz	начинает сеанс в системе manpath 	manpath	1	manpath	5 passwd 	passwd	1	passwd	5      lexgrog -	1	1	1678659839	0	A	-	-	gz	анализирует заголовочную информацию справочных страниц login.defs -	5	5	1744022326	0	A	-	-	gz	содержит конфигурацию подсистемы теневых паролей man -	1	1	1678659839	0	A	-	t	gz	доступ к системным справочным страницам man-recode -	1	1	1678659839	0	A	-	-	gz	изменяет кодировку справочных страниц manconv -	1	1	1678659839	0	A	-	-	gz	изменяет кодировку справочной страницы mandb -	8	8	1678659839	0	A	-	t	gz	создаёт или обновляет кэши index справочных страниц manpath	1 -	1	1	1678659839	0	A	-	-	gz	определяет путь поиска справочных страниц manpath	5 -	5	5	1678659839	0	A	-	-	gz	формат файла /etc/manpath.config newgrp -	1	1	1744022326	0	A	-	-	gz	выполняет регистрацию пользователя в новой группе newusers -	8	8	1744022326	0	A	-	-	gz	обновляет и создаёт новые учётные записи пользователей в пакетном режиме nmap -	1	1	1673900619	0	A	-	-	gz	Утилита для исследования сети и сканер портов nologin -	8	8	1744022326	0	A	-	-	gz	вежливо отказывает во входе в систему passwd	1 -	1	1	1744022326	0	A	-	-	gz	изменяет пароль пользователя passwd	5 -	5	5	1744022326	0	A	-	-	gz	файл паролей pwck -	8	8	1744022326	0	A	-	-	gz	verify the integrity of password files pwconv -	8	8	1744022326	0	A	-	-	gz	преобразует пароли пользователей и групп в/из защищённую форму pwunconv -	8	8	1744022326	0	B	-	-	gz	преобразует пароли пользователей и групп в/из защищённую форму rview -	1	1	1739683421	0	B	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов rvim -	1	1	1739683421	0	B	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов semanage.conf -	5	5	1654362635	0	A	-	-	gz	глобальный файл конфигурации для библиотеки управления SELinux sg -	1	1	1744022326	0	A	-	-	gz	выполняет команду с правами другой группы shadow -	5	5	1744022326	0	A	-	-	gz	файл теневых паролей update-passwd -	8	8	1663669371	0	A	-	-	gz	безопасное обновление файлов /etc/passwd, /etc/shadow и /etc/group useradd -	8	8	1744022326	0	A	-	-	gz	регистрирует нового пользователя или изменяет информацию по умолчанию о новых пользователях userdel -	8	8	1744022326	0	A	-	-	gz	удаляет учётную запись и файлы пользователя usermod -	8	8	1744022326	0	A	-	-	gz	изменяет учётную запись пользователя vi -	1	1	1739683421	0	B	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов view -	1	1	1739683421	0	B	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов vigr -	8	8	1744022326	0	B	-	-	gz	позволяют редактировать файлы паролей, групп, теневых паролей пользователей или групп. vim -	1	1	1739683421	0	A	-	-	gz	Vi IMproved (Улучшенный Vi), текстовый редактор для программистов vimdiff -	1	1	1739683421	0	A	-	-	gz	позволяет редактировать две или три версии файла с помощью Vim с отображением различий.                                                                                                               vipw -	8	8	1744022326	0	A	-	-	gz	позволяют редактировать файлы паролей, групп, теневых паролей пользователей или групп. whatis -	1	1	1678659839	0	A	-	-	gz	показывает однострочные описания справочных страниц zsoelim -	1	1	1678659839	0	A	-	-	gz	выполняет .so запросы для входящих данных roff                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    
      1                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         sU$ver 0      
                                                                                      ^|remo0      
   R                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               cinste0         4                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               f.<add-0      
   K                                                                                                                                                                                                                                                                       ܨ!saveP1         5                                                                                                                                                                                                                                                                                                                                                                                               g
whic1         '   run-1      
   @                                                                                                                                                                                                                                                                                                                                   PTwhic1         '                                                                                                                                                                                                                                                                                                                                                                                                                                       $version$ 2.5.0 add-shell -	8	8	1690587995	0	A	-	-	gz	doda lupine v seznam veljavnih prijavnih lupin installkernel -	8	8	1690587995	0	A	-	-	gz	namesti nov odtis jedra remove-shell -	8	8	1690587995	0	A	-	-	gz	odstrani lupine iz seznama veljavnih prijavnih lupin. run-parts -	8	8	1690587995	0	A	-	-	gz	zažene skripte ali programe v mapi savelog -	8	8	1690587995	0	A	-	-	gz	shrani datoteko dnevnika which -	1	1	1690587995	0	B	-	-	gz	najdi ukaz which.debianutils -	1	1	1690587995	0	A	-	-	gz	najdi ukaz                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          h0                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         sU$ver 0      
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      <%9nmap0         S                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       $version$ 2.5.0 nmap -	1	1	1673900619	0	A	-	-	gz	Nastroj na skumanie siete a scanner bezpecnosti/portov                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          h0                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         sU$ver 0      
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      <%9nmap0         S                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       $version$ 2.5.0 nmap -	1	1	1673900619	0	A	-	-	gz	Nastroj na skumanie siete a scanner bezpecnosti/portov                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          3                                                                                                                                                                                                                                                                                                                                                                                                                                                                     Adpkgg0      	   7                                                                                                                                               pass1      	   E   sU$ver 0      
                                                                                                                                                                                                                                                                                                                                                                                                                                                              ?	gpas0         A                                                               -'pass1                                                                                                                                                                                                                                                                                                                                                                                                                                                <%9nmap2         _                       ?newg1         =                                                                                                                                                                   Ulast0         8                                                                                   SRpass62      	   )                                                                                                                                                                                                                                                                                                                                                                           SVchsh0         R   Nhlogi01         T                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           Y<sg  h2         P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           $version$ 2.5.0 chsh -	1	1	1744022326	0	A	-	-	gz	bejelentkezési parancsértelmező (héj) állítása dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	dpkg konfigurációs fájl gpasswd -	1	1	1744022326	0	A	-	-	gz	az /etc/group fájlt adminisztrálja lastlog -	8	8	1744022326	0	A	-	-	gz	a lastlog fájl vizsgálata login -	1	1	1744022326	0	A	-	-	gz	Új kapcsolat felvétele a rendszerrel (bejelentkezés) newgrp -	1	1	1744022326	0	A	-	-	gz	Csoportazonosító módosítása passwd 	passwd	1	passwd	5 passwd	1 -	1	1	1744022326	0	A	-	-	gz	Felhasználói jelszó megváltoztatása passwd	5 -	5	5	1744022326	0	A	-	-	gz	Jelszófájl sg -	1	1	1744022326	0	B	-	-	gz	Parancs végrehajtása más csoportazonoító alatt nmap -	1	1	1673900619	0	A	-	-	gz	Hálózat feltérképező és biztonsági/kapu letapogató eszköz                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          3                                                                                                                                                                                                                                                                                                                                                                                                                                                                     Adpkgg0      	   7                                                                                                                                               passL2      	   E   sU$ver 0      
                                                                                                                                                                                                                                                                                                                                                                                                                                                              ?	gpas0         A                                                               -'pass22                                                                                                                                                                                                                                                                                                                                                                                                                                                <%9nmap1         _                       ?newg1         =                                                                                                                                                                   Ulast0         8                                                                                   SRpass2      	   )                                                                                                                                                                                                                                                                                                                                                                           SVchsh0         R   Nhlogi01         T                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           Y<sg  2         P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           $version$ 2.5.0 chsh -	1	1	1744022326	0	A	-	-	gz	bejelentkezési parancsértelmező (héj) állítása dpkg.cfg -	5	5	1683770641	0	A	-	-	gz	dpkg konfigurációs fájl gpasswd -	1	1	1744022326	0	A	-	-	gz	az /etc/group fájlt adminisztrálja lastlog -	8	8	1744022326	0	A	-	-	gz	a lastlog fájl vizsgálata login -	1	1	1744022326	0	A	-	-	gz	Új kapcsolat felvétele a rendszerrel (bejelentkezés) newgrp -	1	1	1744022326	0	A	-	-	gz	Csoportazonosító módosítása nmap -	1	1	1673900619	0	A	-	-	gz	Hálózat feltérképező és biztonsági/kapu letapogató eszköz passwd 	passwd	1	passwd	5 passwd	1 -	1	1	1744022326	0	A	-	-	gz	Felhasználói jelszó megváltoztatása passwd	5 -	5	5	1744022326	0	A	-	-	gz	Jelszófájl sg -	1	1	1744022326	0	B	-	-	gz	Parancs végrehajtása más csoportazonoító alatt                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  ϚW             	          P                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    y	      F      &      @                                                                          O                                                               Ytloa'A                                F<failt3      
                                                                                                                                                                                                                                  isuzgrou4      	   E   eclogi99            GHpido(=            ֯RuserB                                                                        n\chgp/1      
   j                       passt<      	   K   sU$ver 0      
                                               =WuserA            vshad@         K   P{proc=            q^lzcm9            Cgrpc6         {                       fhvmstD                                                    Qfail2      
   q                                                                                   htxzdiE                                                    +|gpkilK=         !                                           ?	gpasQ4         V   Icm&chpa1      	   a                                           -'passZ<            sdgrou5      	   Y                                           ٱ<pmapr=            S7dychfn0            @apwun3?      	   {                       Esysc@            O	kill7            zigrpu7      
   {   "]lzfgZ:                                                                        mqfail2            
unxzA                                                                                            wVuptiA                                                    ?newg
;         D   4.watc$E                                                                                            P|pwco>         {   cexpiU2            Hlzgr:            Ulast8            q#lzca9            e ps  
>            v<xz  GE            txzcmE            SRpass<      	   4   CxzmocF                                                                                                                                                        k@Xproc=                                                    IvigrC                                                    vDlzeg5:                                I
grou4      	   :   }zlzmo:            SVchsh
2         C   Nhlogi8         L   yq'unlzkA            F+xzle?F            51ktop JA            :
grpc-6         Z   2user1C         `                                           @{Mw   E            CsxzfgE                                                    T}|free/4                                ogsha7         G   A2Znolo;         b                                           xc	chag0                                V3grou@5      
                                              opgre=            B~qlzle:            +?Yproc=            ?05sysc@            Y<sg   @            bypwdx?                                                                        x*^xzgrF            [8xzcagE            H,skil?                                NnewuX;      	      bbpwck*>         `                                           d'_lzdi:                                qvipw=D                                                                        P
>slab?                                                                                                                ֝izlzma:            #
ZxzegE            $version$ 2.5.0 chage -	1	1	1744022326	0	A	-	-	gz	зміна даних щодо завершення строку дії пароля користувача chfn -	1	1	1744022326	0	A	-	-	gz	зміна справжнього імені користувача і відомостей щодо нього chgpasswd -	8	8	1744022326	0	A	-	-	gz	оновлення паролів груп у пакетному режимі chpasswd -	8	8	1744022326	0	A	-	-	gz	оновлення паролів у пакетному режимі chsh -	1	1	1744022326	0	A	-	-	gz	зміна оболонки входу expiry -	1	1	1744022326	0	A	-	-	gz	перевірка і встановлення правил застарівання паролів faillog 	faillog	5	faillog	8 faillog	5 -	5	5	1744022326	0	A	-	-	gz	файл журналу невдалих спроб увійти до системи faillog	8 -	8	8	1744022326	0	A	-	-	gz	вивести записи faillog або встановити обмеження на невдалі спроби увійти до системи free -	1	1	1671429998	0	A	-	-	gz	 gpasswd -	1	1	1744022326	0	A	-	-	gz	адміністрування /etc/group і /etc/gshadow groupadd -	8	8	1744022326	0	A	-	-	gz	створення нової групи groupdel -	8	8	1744022326	0	A	-	-	gz	вилучення групи groupmems -	8	8	1744022326	0	A	-	-	gz	адміністрування учасників основної групи користувача groupmod -	8	8	1744022326	0	A	-	-	gz	зміна визначення групи у системі grpck -	8	8	1744022326	0	A	-	-	gz	перевірка цілісності файлів груп grpconv -	8	8	1744022326	0	B	-	-	gz	перетворення на приховані паролі і групи, і навпаки grpunconv -	8	8	1744022326	0	B	-	-	gz	перетворення на приховані паролі і групи, і навпаки gshadow -	5	5	1744022326	0	A	-	-	gz	файл зашифрованих груп kill -	1	1	1671429998	0	A	-	-	gz	 lastlog -	8	8	1744022326	0	A	-	-	gz	виведення даних щодо останнього входу до системи для усіх користувачів або для вказаного користувача. login -	1	1	1744022326	0	A	-	-	gz	розпочати сеанс у системі login.defs -	5	5	1744022326	0	A	-	-	gz	Налаштування комплексу для роботи з прихованими паролями lzcat -	1	1	1743710139	0	B	-	t	gz	 lzcmp -	1	1	1743710139	0	B	-	-	gz	 lzdiff -	1	1	1743710139	0	B	-	-	gz	 lzegrep -	1	1	1743710139	0	B	-	-	gz	 lzfgrep -	1	1	1743710139	0	B	-	-	gz	 lzgrep -	1	1	1743710139	0	B	-	-	gz	 lzless -	1	1	1743710139	0	B	-	-	gz	 lzma -	1	1	1743710139	0	B	-	t	gz	 lzmore -	1	1	1743710139	0	B	-	-	gz	 newgrp -	1	1	1744022326	0	A	-	-	gz	увійти до нової групи newusers -	8	8	1744022326	0	A	-	-	gz	пакетне оновлення і створення облікових записів користувачів nologin -	8	8	1744022326	0	A	-	-	gz	увічливо відмовити у вході до системи passwd 	passwd	1	passwd	5 passwd	1 -	1	1	1744022326	0	A	-	-	gz	зміна пароля користувача passwd	5 -	5	5	1744022326	0	A	-	-	gz	файл паролів pgrep -	1	1	1671429998	0	A	-	-	gz	 pidof -	1	1	1671429998	0	A	-	-	gz	 pkill -	1	1	1671429998	0	C	pgrep	-	gz	 pmap -	1	1	1671429998	0	A	-	-	gz	 procps -	3	3	1671429998	0	A	-	-	gz	 procps_misc -	3	3	1671429998	0	A	-	-	gz	 procps_pids -	3	3	1671429998	0	A	-	-	gz	 ps -	1	1	1671429998	0	A	-	t	gz	 pwck -	8	8	1744022326	0	A	-	-	gz	перевірка цілісності файлів паролів pwconv -	8	8	1744022326	0	A	-	-	gz	перетворення на приховані паролі і групи, і навпаки pwdx -	1	1	1671429998	0	A	-	-	gz	 pwunconv -	8	8	1744022326	0	B	-	-	gz	перетворення на приховані паролі і групи, і навпаки skill -	1	1	1671429998	0	A	-	-	gz	 slabtop -	1	1	1671429998	0	A	-	t	gz	  sg -	1	1	1744022326	0	A	-	-	gz	виконання команди від імені іншого ідентифікатора групи shadow -	5	5	1744022326	0	A	-	-	gz	файли прихованих паролів sysctl -	8	8	1671429998	0	A	-	-	gz	 sysctl.conf -	5	5	1671429998	0	A	-	-	gz	 tload -	1	1	1671429998	0	A	-	-	gz	 top -	1	1	1671429998	0	A	-	-	gz	 unlzma -	1	1	1743710139	0	B	-	t	gz	 unxz -	1	1	1743710139	0	B	-	t	gz	 uptime -	1	1	1671429998	0	A	-	-	gz	 useradd -	8	8	1744022326	0	A	-	-	gz	створення запису користувача або оновлення відомостей щодо типового нового користувача userdel -	8	8	1744022326	0	A	-	-	gz	вилучення облікового запису користувача і пов'язаних файлів usermod -	8	8	1744022326	0	A	-	-	gz	зміна облікового запису користувача vigr -	8	8	1744022326	0	B	-	-	gz	редагування файла паролів, груп, прихованих паролів та прихованих груп vipw -	8	8	1744022326	0	A	-	-	gz	редагування файла паролів, груп, прихованих паролів та прихованих груп vmstat -	8	8	1671429998	0	A	-	-	gz	 w -	1	1	1671429998	0	A	-	-	gz	 watch -	1	1	1671429998	0	A	-	-	gz	 xz -	1	1	1743710139	0	A	-	t	gz	 xzcat -	1	1	1743710139	0	B	-	t	gz	 xzcmp -	1	1	1743710139	0	B	-	-	gz	 xzdiff -	1	1	1743710139	0	A	-	-	gz	 xzegrep -	1	1	1743710139	0	B	-	-	gz	 xzfgrep -	1	1	1743710139	0	B	-	-	gz	 xzgrep -	1	1	1743710139	0	A	-	-	gz	 xzless -	1	1	1743710139	0	A	-	-	gz	 xzmore -	1	1	1743710139	0	A	-	-	gz	                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          ϚW             	          @                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          e=                                                                                          (                                                                                   }HQman 5         G                       Hmanp77                                                                                                                                                                            m[man-5         Z                                                                                                                                                                                       Sacce0      	   d                       sU$ver 0      
      zwhatp9         R   ~?Ozsoe=         I                                                               q^lzcm2         =                                                                                                                                                                                                           htxzdi:         =                                                                                                                                                                                       -'pass7         0                                                                                   S7dychfnM1         B                                                               "]lzfg3         ^                                                                                                       
unxz8         _                                                                                                       o lexg1         N                                                                                                                                                                   v<xz  9         _                       eapro}0         T   q#lzcad2         _   Hlzgr4         ^   Cxzmo<         l                       txzcm:         =                                                                                                                                                                                                                                                   Ivigr8         7                                           vDlzegP3         ^                                           }zlzmo>5         l   SVchsh1         B   Nhlogi12         -   9Ocatm0         m   yq'unlz.8         _   F+xzleH<         R                                                                                                       Csxzfg};         ^                                                                                   WVmanca6         d                                                                                                                                               ~manpT7      
   Q                       B~qlzle4         R                                                                                                       +mand6         d   *Rmanp7      
   >   x*^xzgr;         ^   [8xzca+:         _                                                                                                                           d'_lzdi3         =                       qvipw49         7                                                                                                                                                                                       ֝izlzma4         _   #
Zxzeg;         ^   $version$ 2.5.0 accessdb -	8	8	1678659839	0	A	-	-	gz	man-db 데이터베이스 내용을 가독 형식으로 덤핑합니다 apropos -	1	1	1678659839	0	A	-	-	gz	설명서 페이지 이름과 설명을 검색합니다 catman -	8	8	1678659839	0	A	-	-	gz	사전 서식처리한 설명서 페이지를 만들거나 업데이트합니다 chfn -	1	1	1744022326	0	A	-	-	gz	사용자 finger 정보를 바꾼다. chsh -	1	1	1744022326	0	A	-	-	gz	사용자 로그인 쉘을 바꾼다. lexgrog -	1	1	1678659839	0	A	-	-	gz	맨 페이지의 헤더 정보를 해석합니다 login -	1	1	1744022326	0	A	-	-	gz	시스템 접속 lzcat -	1	1	1743710139	0	B	-	t	gz	.xz 파일과 .lzma 파일을 압축 또는 압축 해제합니다 lzcmp -	1	1	1743710139	0	B	-	-	gz	압축 파일을 비교합니다 lzdiff -	1	1	1743710139	0	B	-	-	gz	압축 파일을 비교합니다 lzegrep -	1	1	1743710139	0	B	-	-	gz	정규 표현식을 활용하여 압축 파일을 검색합니다 lzfgrep -	1	1	1743710139	0	B	-	-	gz	정규 표현식을 활용하여 압축 파일을 검색합니다 lzgrep -	1	1	1743710139	0	B	-	-	gz	정규 표현식을 활용하여 압축 파일을 검색합니다 lzless -	1	1	1743710139	0	B	-	-	gz	xz 또는 lzma 압축 (텍스트) 파일을 봅니다 lzma -	1	1	1743710139	0	B	-	t	gz	.xz 파일과 .lzma 파일을 압축 또는 압축 해제합니다 lzmore -	1	1	1743710139	0	B	-	-	gz	xz 압축 (텍스트) 파일 또는 lzma 압축 (텍스트) 파일을 봅니다 man -	1	1	1678659839	0	A	-	t	gz	시스템 참고 설명서 인터페이스 man-recode -	1	1	1678659839	0	A	-	-	gz	설명서 페이지를 다른 인코딩으로 변환합니다 manconv -	1	1	1678659839	0	A	-	-	gz	설명서 페이지 인코딩을 다른 인코딩으로 변환합니다 mandb -	8	8	1678659839	0	A	-	t	gz	설명서 페이지 색인 캐시를 만들거나 업데이트합니다 manpath 	manpath	1	manpath	5 manpath	1 -	1	1	1678659839	0	A	-	-	gz	설명서 페이지 검색 경로를 지정합니다 manpath	5 -	5	5	1678659839	0	A	-	-	gz	/etc/manpath.config 파일 형식 passwd -	5	5	1744022326	0	A	-	-	gz	패스워드 파일 unlzma -	1	1	1743710139	0	B	-	t	gz	.xz 파일과 .lzma 파일을 압축 또는 압축 해제합니다 unxz -	1	1	1743710139	0	B	-	t	gz	.xz 파일과 .lzma 파일을 압축 또는 압축 해제합니다 vigr -	8	8	1744022326	0	B	-	-	gz	패스워드 파일 편집 vipw -	8	8	1744022326	0	A	-	-	gz	패스워드 파일 편집 whatis -	1	1	1678659839	0	A	-	-	gz	설명서 페이지 설명 한 줄을 표시합니다 xz -	1	1	1743710139	0	A	-	t	gz	.xz 파일과 .lzma 파일을 압축 또는 압축 해제합니다 xzcat -	1	1	1743710139	0	B	-	t	gz	.xz 파일과 .lzma 파일을 압축 또는 압축 해제합니다 xzcmp -	1	1	1743710139	0	B	-	-	gz	압축 파일을 비교합니다 xzdiff -	1	1	1743710139	0	A	-	-	gz	압축 파일을 비교합니다 xzegrep -	1	1	1743710139	0	B	-	-	gz	정규 표현식을 활용하여 압축 파일을 검색합니다 xzfgrep -	1	1	1743710139	0	B	-	-	gz	정규 표현식을 활용하여 압축 파일을 검색합니다 xzgrep -	1	1	1743710139	0	A	-	-	gz	정규 표현식을 활용하여 압축 파일을 검색합니다 xzless -	1	1	1743710139	0	A	-	-	gz	xz 또는 lzma 압축 (텍스트) 파일을 봅니다 xzmore -	1	1	1743710139	0	A	-	-	gz	xz 압축 (텍스트) 파일 또는 lzma 압축 (텍스트) 파일을 봅니다 zsoelim -	1	1	1678659839	0	A	-	-	gz	roff 입력시 .so 요청을 만족합니다                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            Package: libc-l10n
Architecture: amd64
Auto-Installed: 1

Package: initramfs-tools-core
Architecture: amd64
Auto-Installed: 1

Package: klibc-utils
Architecture: amd64
Auto-Installed: 1

Package: linux-base
Architecture: amd64
Auto-Installed: 1

Package: libklibc
Architecture: amd64
Auto-Installed: 1

Package: linux-image-6.1.0-35-amd64
Architecture: amd64
Auto-Installed: 1

Package: apparmor
Architecture: amd64
Auto-Installed: 1

Package: firmware-linux-free
Architecture: amd64
Auto-Installed: 1

Package: pci.ids
Architecture: amd64
Auto-Installed: 1

Package: libpci3
Architecture: amd64
Auto-Installed: 1

Package: libusb-1.0-0
Architecture: amd64
Auto-Installed: 1

Package: xkb-data
Architecture: amd64
Auto-Installed: 1

Package: kbd
Architecture: amd64
Auto-Installed: 1

Package: console-setup-linux
Architecture: amd64
Auto-Installed: 1

Package: linux-image-6.1.0-37-amd64
Architecture: amd64
Auto-Installed: 1

Package: discover-data
Architecture: amd64
Auto-Installed: 1

Package: libexpat1
Architecture: amd64
Auto-Installed: 1

Package: libdiscover2
Architecture: amd64
Auto-Installed: 1

Package: libssh2-1
Architecture: amd64
Auto-Installed: 1

Package: libperl5.36
Architecture: amd64
Auto-Installed: 1

Package: libwrap0
Architecture: amd64
Auto-Installed: 1

Package: libgdbm-compat4
Architecture: amd64
Auto-Installed: 1

Package: python3.11
Architecture: amd64
Auto-Installed: 1

Package: libnghttp2-14
Architecture: amd64
Auto-Installed: 1

Package: libcurl3-gnutls
Architecture: amd64
Auto-Installed: 1

Package: util-linux-locales
Architecture: amd64
Auto-Installed: 1

Package: dbus-user-session
Architecture: amd64
Auto-Installed: 1

Package: libmagic-mgc
Architecture: amd64
Auto-Installed: 1

Package: libldap-common
Architecture: amd64
Auto-Installed: 1

Package: python3-minimal
Architecture: amd64
Auto-Installed: 1

Package: libsasl2-modules
Architecture: amd64
Auto-Installed: 1

Package: libsasl2-2
Architecture: amd64
Auto-Installed: 1

Package: libxmuu1
Architecture: amd64
Auto-Installed: 1

Package: python3-debianbts
Architecture: amd64
Auto-Installed: 1

Package: libfido2-1
Architecture: amd64
Auto-Installed: 1

Package: dbus-daemon
Architecture: amd64
Auto-Installed: 1

Package: libmagic1
Architecture: amd64
Auto-Installed: 1

Package: librtmp1
Architecture: amd64
Auto-Installed: 1

Package: ibritish
Architecture: amd64
Auto-Installed: 1

Package: libxau6
Architecture: amd64
Auto-Installed: 1

Package: emacsen-common
Architecture: amd64
Auto-Installed: 1

Package: python3-requests
Architecture: amd64
Auto-Installed: 1

Package: libpipeline1
Architecture: amd64
Auto-Installed: 1

Package: libxcb1
Architecture: amd64
Auto-Installed: 1

Package: iamerican
Architecture: amd64
Auto-Installed: 1

Package: python3-httplib2
Architecture: amd64
Auto-Installed: 1

Package: python3
Architecture: amd64
Auto-Installed: 1

Package: libdbus-1-3
Architecture: amd64
Auto-Installed: 1

Package: python3-urllib3
Architecture: amd64
Auto-Installed: 1

Package: runit-helper
Architecture: amd64
Auto-Installed: 1

Package: libpython3.11-minimal
Architecture: amd64
Auto-Installed: 1

Package: dbus-bin
Architecture: amd64
Auto-Installed: 1

Package: libsasl2-modules-db
Architecture: amd64
Auto-Installed: 1

Package: python3-pyparsing
Architecture: amd64
Auto-Installed: 1

Package: libxml2
Architecture: amd64
Auto-Installed: 1

Package: python-apt-common
Architecture: amd64
Auto-Installed: 1

Package: libldap-2.5-0
Architecture: amd64
Auto-Installed: 1

Package: python3-pycurl
Architecture: amd64
Auto-Installed: 1

Package: libmaxminddb0
Architecture: amd64
Auto-Installed: 1

Package: publicsuffix
Architecture: amd64
Auto-Installed: 1

Package: python3-pkg-resources
Architecture: amd64
Auto-Installed: 1

Package: libx11-data
Architecture: amd64
Auto-Installed: 1

Package: libuchardet0
Architecture: amd64
Auto-Installed: 1

Package: libprotobuf-c1
Architecture: amd64
Auto-Installed: 1

Package: xauth
Architecture: amd64
Auto-Installed: 1

Package: dictionaries-common
Architecture: amd64
Auto-Installed: 1

Package: mailcap
Architecture: amd64
Auto-Installed: 1

Package: ienglish-common
Architecture: amd64
Auto-Installed: 1

Package: libnsl2
Architecture: amd64
Auto-Installed: 1

Package: ispell
Architecture: amd64
Auto-Installed: 1

Package: libpython3.11-stdlib
Architecture: amd64
Auto-Installed: 1

Package: python3-apt
Architecture: amd64
Auto-Installed: 1

Package: python3-certifi
Architecture: amd64
Auto-Installed: 1

Package: libsqlite3-0
Architecture: amd64
Auto-Installed: 1

Package: libjemalloc2
Architecture: amd64
Auto-Installed: 1

Package: dbus-session-bus-common
Architecture: amd64
Auto-Installed: 1

Package: distro-info-data
Architecture: amd64
Auto-Installed: 1

Package: python3-pysimplesoap
Architecture: amd64
Auto-Installed: 1

Package: python3-six
Architecture: amd64
Auto-Installed: 1

Package: libpython3-stdlib
Architecture: amd64
Auto-Installed: 1

Package: openssh-sftp-server
Architecture: amd64
Auto-Installed: 1

Package: libbrotli1
Architecture: amd64
Auto-Installed: 1

Package: bind9-libs
Architecture: amd64
Auto-Installed: 1

Package: python3.11-minimal
Architecture: amd64
Auto-Installed: 1

Package: liblmdb0
Architecture: amd64
Auto-Installed: 1

Package: libxext6
Architecture: amd64
Auto-Installed: 1

Package: python3-idna
Architecture: amd64
Auto-Installed: 1

Package: python3-chardet
Architecture: amd64
Auto-Installed: 1

Package: python3-debconf
Architecture: amd64
Auto-Installed: 1

Package: libcbor0.8
Architecture: amd64
Auto-Installed: 1

Package: perl-modules-5.36
Architecture: amd64
Auto-Installed: 1

Package: libx11-6
Architecture: amd64
Auto-Installed: 1

Package: python3-charset-normalizer
Architecture: amd64
Auto-Installed: 1

Package: dbus-system-bus-common
Architecture: amd64
Auto-Installed: 1

Package: libicu72
Architecture: amd64
Auto-Installed: 1

Package: libfstrm0
Architecture: amd64
Auto-Installed: 1

Package: libgdbm6
Architecture: amd64
Auto-Installed: 1

Package: libuv1
Architecture: amd64
Auto-Installed: 1

Package: libpsl5
Architecture: amd64
Auto-Installed: 1

Package: bsdextrautils
Architecture: amd64
Auto-Installed: 1

Package: libxdmcp6
Architecture: amd64
Auto-Installed: 1

Package: iso-codes
Architecture: amd64
Auto-Installed: 1

Package: python3-debian
Architecture: amd64
Auto-Installed: 1

Package: libfuse2
Architecture: amd64
Auto-Installed: 1

Package: libefivar1
Architecture: amd64
Auto-Installed: 1

Package: libfreetype6
Architecture: amd64
Auto-Installed: 1

Package: libpng16-16
Architecture: amd64
Auto-Installed: 1

Package: libefiboot1
Architecture: amd64
Auto-Installed: 1

Package: grub-pc-bin
Architecture: amd64
Auto-Installed: 1

Package: grub2-common
Architecture: amd64
Auto-Installed: 1

Package: iucode-tool
Architecture: amd64
Auto-Installed: 1

Package: libnetfilter-conntrack3
Architecture: amd64
Auto-Installed: 1

Package: libselinux1-dev
Architecture: amd64
Auto-Installed: 1

Package: libcurl4
Architecture: amd64
Auto-Installed: 1

Package: dmeventd
Architecture: amd64
Auto-Installed: 1

Package: libalgorithm-merge-perl
Architecture: amd64
Auto-Installed: 1

Package: libgomp1
Architecture: amd64
Auto-Installed: 1

Package: manpages-dev
Architecture: amd64
Auto-Installed: 1

Package: python3-gi
Architecture: amd64
Auto-Installed: 1

Package: libnetfilter-acct1
Architecture: amd64
Auto-Installed: 1

Package: g++-12
Architecture: amd64
Auto-Installed: 1

Package: iptables
Architecture: amd64
Auto-Installed: 1

Package: gcc-12
Architecture: amd64
Auto-Installed: 1

Package: libvmdk1
Architecture: amd64
Auto-Installed: 1

Package: libnl-3-200
Architecture: amd64
Auto-Installed: 1

Package: libctf-nobfd0
Architecture: amd64
Auto-Installed: 1

Package: libnl-genl-3-200
Architecture: amd64
Auto-Installed: 1

Package: libtsan2
Architecture: amd64
Auto-Installed: 1

Package: libjs-bootstrap
Architecture: amd64
Auto-Installed: 1

Package: cpp
Architecture: amd64
Auto-Installed: 1

Package: g++
Architecture: amd64
Auto-Installed: 1

Package: gcc
Architecture: amd64
Auto-Installed: 1

Package: gpg
Architecture: amd64
Auto-Installed: 1

Package: libntfs-3g89
Architecture: amd64
Auto-Installed: 1

Package: libpcre3
Architecture: amd64
Auto-Installed: 1

Package: libtsk19
Architecture: amd64
Auto-Installed: 1

Package: netdata-web
Architecture: amd64
Auto-Installed: 1

Package: libaio1
Architecture: amd64
Auto-Installed: 1

Package: libvhdi1
Architecture: amd64
Auto-Installed: 1

Package: nmap-common
Architecture: amd64
Auto-Installed: 1

Package: libaom3
Architecture: amd64
Auto-Installed: 1

Package: libbfio1
Architecture: amd64
Auto-Installed: 1

Package: libheif1
Architecture: amd64
Auto-Installed: 1

Package: gir1.2-glib-2.0
Architecture: amd64
Auto-Installed: 1

Package: libx265-199
Architecture: amd64
Auto-Installed: 1

Package: libalgorithm-diff-perl
Architecture: amd64
Auto-Installed: 1

Package: libbinutils
Architecture: amd64
Auto-Installed: 1

Package: libfakeroot
Architecture: amd64
Auto-Installed: 1

Package: libblas3
Architecture: amd64
Auto-Installed: 1

Package: libdeflate0
Architecture: amd64
Auto-Installed: 1

Package: patch
Architecture: amd64
Auto-Installed: 1

Package: liblzf1
Architecture: amd64
Auto-Installed: 1

Package: libdav1d6
Architecture: amd64
Auto-Installed: 1

Package: liblua5.3-0
Architecture: amd64
Auto-Installed: 1

Package: liblvm2cmd2.03
Architecture: amd64
Auto-Installed: 1

Package: libtiff6
Architecture: amd64
Auto-Installed: 1

Package: binutils-x86-64-linux-gnu
Architecture: amd64
Auto-Installed: 1

Package: libwbclient0
Architecture: amd64
Auto-Installed: 1

Package: libnuma1
Architecture: amd64
Auto-Installed: 1

Package: libsvtav1enc1
Architecture: amd64
Auto-Installed: 1

Package: pkgconf
Architecture: amd64
Auto-Installed: 1

Package: libmpfr6
Architecture: amd64
Auto-Installed: 1

Package: libcc1-0
Architecture: amd64
Auto-Installed: 1

Package: gpg-wks-server
Architecture: amd64
Auto-Installed: 1

Package: liblerc4
Architecture: amd64
Auto-Installed: 1

Package: libmpc3
Architecture: amd64
Auto-Installed: 1

Package: libglib2.0-data
Architecture: amd64
Auto-Installed: 1

Package: netdata-plugins-bash
Architecture: amd64
Auto-Installed: 1

Package: fonts-glyphicons-halflings
Architecture: amd64
Auto-Installed: 1

Package: libxpm4
Architecture: amd64
Auto-Installed: 1

Package: libfontconfig1
Architecture: amd64
Auto-Installed: 1

Package: libgav1-1
Architecture: amd64
Auto-Installed: 1

Package: gpg-agent
Architecture: amd64
Auto-Installed: 1

Package: shared-mime-info
Architecture: amd64
Auto-Installed: 1

Package: lua-lpeg
Architecture: amd64
Auto-Installed: 1

Package: libyaml-0-2
Architecture: amd64
Auto-Installed: 1

Package: netdata-core
Architecture: amd64
Auto-Installed: 1

Package: libpcre2-posix3
Architecture: amd64
Auto-Installed: 1

Package: fontconfig-config
Architecture: amd64
Auto-Installed: 1

Package: libassuan0
Architecture: amd64
Auto-Installed: 1

Package: libnpth0
Architecture: amd64
Auto-Installed: 1

Package: libgirepository-1.0-1
Architecture: amd64
Auto-Installed: 1

Package: xdg-user-dirs
Architecture: amd64
Auto-Installed: 1

Package: libfile-fcntllock-perl
Architecture: amd64
Auto-Installed: 1

Package: libfuse3-3
Architecture: amd64
Auto-Installed: 1

Package: dpkg-dev
Architecture: amd64
Auto-Installed: 1

Package: libasan8
Architecture: amd64
Auto-Installed: 1

Package: libpcap0.8
Architecture: amd64
Auto-Installed: 1

Package: libpcre2-16-0
Architecture: amd64
Auto-Installed: 1

Package: libnsl-dev
Architecture: amd64
Auto-Installed: 1

Package: libxentoolcore1
Architecture: amd64
Auto-Installed: 1

Package: rpcsvc-proto
Architecture: amd64
Auto-Installed: 1

Package: libjpeg62-turbo
Architecture: amd64
Auto-Installed: 1

Package: make
Architecture: amd64
Auto-Installed: 1

Package: libctf0
Architecture: amd64
Auto-Installed: 1

Package: fuse3
Architecture: amd64
Auto-Installed: 1

Package: libnfnetlink0
Architecture: amd64
Auto-Installed: 1

Package: keyutils
Architecture: amd64
Auto-Installed: 1

Package: libyuv0
Architecture: amd64
Auto-Installed: 1

Package: rpcbind
Architecture: amd64
Auto-Installed: 1

Package: libsepol-dev
Architecture: amd64
Auto-Installed: 1

Package: pinentry-curses
Architecture: amd64
Auto-Installed: 1

Package: libwebp7
Architecture: amd64
Auto-Installed: 1

Package: gpgsm
Architecture: amd64
Auto-Installed: 1

Package: redis-tools
Architecture: amd64
Auto-Installed: 1

Package: python3-distro-info
Architecture: amd64
Auto-Installed: 1

Package: libdevmapper-event1.02.1
Architecture: amd64
Auto-Installed: 1

Package: libcrypt-dev
Architecture: amd64
Auto-Installed: 1

Package: libip6tc2
Architecture: amd64
Auto-Installed: 1

Package: cpp-12
Architecture: amd64
Auto-Installed: 1

Package: binutils-common
Architecture: amd64
Auto-Installed: 1

Package: libabsl20220623
Architecture: amd64
Auto-Installed: 1

Package: liberror-perl
Architecture: amd64
Auto-Installed: 1

Package: libitm1
Architecture: amd64
Auto-Installed: 1

Package: thin-provisioning-tools
Architecture: amd64
Auto-Installed: 1

Package: libavif15
Architecture: amd64
Auto-Installed: 1

Package: libdpkg-perl
Architecture: amd64
Auto-Installed: 1

Package: libjbig0
Architecture: amd64
Auto-Installed: 1

Package: libc-dev-bin
Architecture: amd64
Auto-Installed: 1

Package: fonts-font-awesome
Architecture: amd64
Auto-Installed: 1

Package: libglib2.0-0
Architecture: amd64
Auto-Installed: 1

Package: python3-yaml
Architecture: amd64
Auto-Installed: 1

Package: libc-devtools
Architecture: amd64
Auto-Installed: 1

Package: libafflib0v5
Architecture: amd64
Auto-Installed: 1

Package: libevent-core-2.1-7
Architecture: amd64
Auto-Installed: 1

Package: libgprofng0
Architecture: amd64
Auto-Installed: 1

Package: libisl23
Architecture: amd64
Auto-Installed: 1

Package: libc6-dev
Architecture: amd64
Auto-Installed: 1

Package: dirmngr
Architecture: amd64
Auto-Installed: 1

Package: pkgconf-bin
Architecture: amd64
Auto-Installed: 1

Package: libksba8
Architecture: amd64
Auto-Installed: 1

Package: libquadmath0
Architecture: amd64
Auto-Installed: 1

Package: fonts-dejavu-core
Architecture: amd64
Auto-Installed: 1

Package: gnupg-utils
Architecture: amd64
Auto-Installed: 1

Package: libubsan1
Architecture: amd64
Auto-Installed: 1

Package: libpcre2-32-0
Architecture: amd64
Auto-Installed: 1

Package: liblsan0
Architecture: amd64
Auto-Installed: 1

Package: libpkgconf3
Architecture: amd64
Auto-Installed: 1

Package: libalgorithm-diff-xs-perl
Architecture: amd64
Auto-Installed: 1

Package: gnupg-l10n
Architecture: amd64
Auto-Installed: 1

Package: netdata-plugins-python
Architecture: amd64
Auto-Installed: 1

Package: gpg-wks-client
Architecture: amd64
Auto-Installed: 1

Package: libgd3
Architecture: amd64
Auto-Installed: 1

Package: python3-dbus
Architecture: amd64
Auto-Installed: 1

Package: git-man
Architecture: amd64
Auto-Installed: 1

Package: libnfsidmap1
Architecture: amd64
Auto-Installed: 1

Package: libtalloc2
Architecture: amd64
Auto-Installed: 1

Package: libde265-0
Architecture: amd64
Auto-Installed: 1

Package: libpcre2-dev
Architecture: amd64
Auto-Installed: 1

Package: libdate-manip-perl
Architecture: amd64
Auto-Installed: 1

Package: gpgconf
Architecture: amd64
Auto-Installed: 1

Package: liblinear4
Architecture: amd64
Auto-Installed: 1

Package: libtirpc-dev
Architecture: amd64
Auto-Installed: 1

Package: librav1e0
Architecture: amd64
Auto-Installed: 1

Package: binutils
Architecture: amd64
Auto-Installed: 1

Package: fakeroot
Architecture: amd64
Auto-Installed: 1

Package: libatomic1
Architecture: amd64
Auto-Installed: 1

Package: libewf2
Architecture: amd64
Auto-Installed: 1

Package: libxenstore4
Architecture: amd64
Auto-Installed: 1

Package: libutempter0
Architecture: amd64
Auto-Installed: 1

Package: libgcc-12-dev
Architecture: amd64
Auto-Installed: 1

Package: libstdc++-12-dev
Architecture: amd64
Auto-Installed: 1

Package: linux-libc-dev
Architecture: amd64
Auto-Installed: 1

                                                                                                                                                                                                                                                                                                                                                                                              # System-wide .bashrc file for interactive bash(1) shells.

# To enable the settings / commands in this file for login shells as well,
# this file has to be sourced in /etc/profile.

# If not running interactively, don't do anything
[ -z "$PS1" ] && return

# Default user timezone is EST
if [ -z "$TZ" ]
then
  export TZ=EST
fi

# check the window size after each command and, if necessary,
# update the values of LINES and COLUMNS.
shopt -s checkwinsize

# set variable identifying the chroot you work in (used in the prompt below)
if [ -z "${debian_chroot:-}" ] && [ -r /etc/debian_chroot ]; then
    debian_chroot=$(cat /etc/debian_chroot)
fi

# set a fancy prompt (non-color, overwrite the one in /etc/profile)
PS1='${debian_chroot:+($debian_chroot)}\u@\h:\w\$ '

# Commented out, don't overwrite xterm -T "title" -n "icontitle" by default.
# If this is an xterm set the title to user@host:dir
#case "$TERM" in
#xterm*|rxvt*)
#    PROMPT_COMMAND='echo -ne "\033]0;${USER}@${HOSTNAME}: ${PWD}\007"'
#    ;;
#*)
#    ;;
#esac

# enable bash completion in interactive shells
if ! shopt -oq posix; then
  if [ -f /usr/share/bash-completion/bash_completion ]; then
    . /usr/share/bash-completion/bash_completion
  elif [ -f /etc/bash_completion ]; then
    . /etc/bash_completion
  fi
fi

# if the command-not-found package is installed, use it
if [ -x /usr/lib/command-not-found -o -x /usr/share/command-not-found/command-not-found ]; then
	function command_not_found_handle {
	        # check because c-n-f could've been removed in the meantime
                if [ -x /usr/lib/command-not-found ]; then
		   /usr/lib/command-not-found -- "$1"
                   return $?
                elif [ -x /usr/share/command-not-found/command-not-found ]; then
		   /usr/share/command-not-found/command-not-found -- "$1"
                   return $?
		else
		   printf "%s: command not found\n" "$1" >&2
		   return 127
		fi
	}
fi

########################################
# Configuration
########################################

# Enables autocd and globing (**) (since v4).
shopt -s autocd globstar &> /dev/null

# Enables directory name auto-correction while a cd.
shopt -s cdspell

# check the window size after each command and, if necessary,
# update the values of LINES and COLUMNS.
shopt -s checkwinsize

# Readline
bind 'set completion-ignore-case on'
bind 'set bell-style none'

GIT_PS1_SHOWDIRTYSTATE=1
GIT_PS1_SHOWSTASHSTATE=1
GIT_PS1_SHOWUNTRACKEDFILES=1

# Possible values:
# - auto;
# - verbose: shows the number of commits;
# - legacy: for compatibility with old git versions;
# - git: always compare to git upstream;
# - svn: always compare to svn upstream.
GIT_PS1_SHOWUPSTREAM='auto'

########################################
# Prompt
########################################

if [ $(id -u) -eq 0 ]
then
	PS1=$'\\[\\e]0;\\u@\\h: \\w\\a\\]\\[\E[1m\E[38;5;5m\\][\\D{%H:%M %d}]\\[\E[m\E(B\E[39;49m\\] \\[\E[1m\E[38;5;1m\\]\\h\\[\E[m\E(B\E[39;49m\\]:\\[\E[1m\E[38;5;4m\\]\\W$(__git_ps1 " \\[\E[38;5;2m\\](%s)")\\[\E[m\E(B\E[39;49m\\]$ '
else
	PS1=$'\\[\\e]0;\\u@\\h: \\w\\a\\]\\[\E[1m\E[38;5;5m\\][\\D{%H:%M %d}]\\[\E[m\E(B\E[39;49m\\] \\[\E[1m\E[38;5;2m\\]\\u\\[\E[m\E(B\E[39;49m\\]@\\[\E[1m\E[38;5;2m\\]\\h\\[\E[m\E(B\E[39;49m\\]:\\[\E[1m\E[38;5;4m\\]\\W$(__git_ps1 " \\[\E[38;5;2m\\](%s)")\\[\E[m\E(B\E[39;49m\\]$ '
fi

# Enables git information in the prompt.
if type __git_ps1 2> /dev/null 1>&2
then
    GIT_PS1_SHOWDIRTYSTATE=1
    GIT_PS1_SHOWSTASHSTATE=1
    GIT_PS1_SHOWUNTRACKEDFILES=1

    # Possible values:
    # - auto;
    # - verbose: shows the number of commits;
    # - legacy: for compatibility with old git versions;
    # - git: always compare to git upstream;
    # - svn: always compare to svn upstream.
    GIT_PS1_SHOWUPSTREAM='auto'
else
    __git_ps1()
    {
        :
    }
fi


########################################
# Aliases & functions
########################################

eval "$(dircolors)"
alias ls='ls --color=always --human-readable --group-directories-first'
alias ll='ls -l'
alias lla='la -l'
alias llt='ll --sort=time --time-style=iso'
alias la='l --almost-all'
alias l='ls -C --classify'

alias rm='rm -iv --one-file-system'
alias cp='cp -iv'
alias mv='mv -iv'

alias mkdir='mkdir --parents'

########################################
# Optional local conf
########################################

[ -f /etc/bash.bashrc.local ] && . /etc/bash.bashrc.local

                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              #  File generated by update-locale
LANG=en_US.UTF-8
LC_ALL=en_US.UTF-8
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         # If you change this file, run 'update-grub' afterwards to update
# /boot/grub/grub.cfg.
# For full documentation of the options in this file, see:
#   info -f grub -n 'Simple configuration'

GRUB_DEFAULT=0
GRUB_TIMEOUT=5
GRUB_DISTRIBUTOR="Xen Orchestra on Debian"
GRUB_CMDLINE_LINUX_DEFAULT="quiet"
GRUB_CMDLINE_LINUX=""

# Uncomment to enable BadRAM filtering, modify to suit your needs
# This works with Linux (no patch required) and with any kernel that obtains
# the memory map information from GRUB (GNU Mach, kernel of FreeBSD ...)
#GRUB_BADRAM="0x01234567,0xfefefefe,0x89abcdef,0xefefefef"

# Uncomment to disable graphical terminal (grub-pc only)
#GRUB_TERMINAL=console

# The resolution used on graphical terminal
# note that you can use only modes which your graphic card supports via VBE
# you can see them in real GRUB with the command `vbeinfo'
#GRUB_GFXMODE=640x480

# Uncomment if you don't want GRUB to pass "root=UUID=xxx" parameter to Linux
#GRUB_DISABLE_LINUX_UUID=true

# Uncomment to disable generation of recovery mode menu entries
#GRUB_DISABLE_RECOVERY="true"

# Uncomment to get a beep at grub start
#GRUB_INIT_TUNE="480 440 1"                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                __   __             ____           _               _
 \ \ / /            / __ \         | |             | |
  \ V / ___ _ __   | |  | |_ __ ___| |__   ___  ___| |_ _ __ __ _
   > < / _ \ '_ \  | |  | | '__/ __| '_ \ / _ \/ __| __| '__/ _` |
  / . \  __/ | | | | |__| | | | (__| | | |  __/\__ \ |_| | | (_| |
 /_/ \_\___|_| |_|  \____/|_|  \___|_| |_|\___||___/\__|_|  \__,_|

Welcome to XOA Unified Edition, with Pro Support.

* Restart XO: sudo systemctl restart xo-server.service
* Display status: sudo systemctl status xo-server.service
* Display logs: sudo journalctl -u xo-server.service
* Register your XOA: sudo xoa-updater --register
* Update your XOA: sudo xoa-updater --upgrade

OFFICIAL XOA DOCUMENTATION HERE: https://docs.xen-orchestra.com/xoa

Support available at https://xen-orchestra.com/#!/member/support

In case of issues, use `xoa check` for a quick health check.

Build number: 25.08.01

Based on Debian GNU/Linux 12 (Stable) 64bits in PVHVM mode

                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     PRETTY_NAME="Debian GNU/Linux 12 (bookworm)"
NAME="Debian GNU/Linux"
VERSION_ID="12"
VERSION="12 (bookworm)"
VERSION_CODENAME=bookworm
ID=debian
HOME_URL="https://www.debian.org/"
SUPPORT_URL="https://www.debian.org/support"
BUG_REPORT_URL="https://bugs.debian.org/"
# BEGIN ANSIBLE MANAGED BLOCK
XOA_BUILD="20250801"
# END ANSIBLE MANAGED BLOCK
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      #!/usr/bin/env bash
# shellcheck disable=SC2155
# Disabled "Declare and assign separately to avoid masking return values": https://github.com/koalaman/shellcheck/wiki/SC2155

#
# log <type> <msg>
#

log() {
  printf "  ${SGR_CYAN}%10s${SGR_RESET} : ${SGR_FAINT}%s${SGR_RESET}\n" "$1" "$2"
}

#
# verbose_log <type> <msg>
# Can suppress with --quiet.
# Like log but to stderr rather than stdout, so can also be used from "display" routines.
#

verbose_log() {
  if [[ "${SHOW_VERBOSE_LOG}" == "true" ]]; then
    >&2 printf "  ${SGR_CYAN}%10s${SGR_RESET} : ${SGR_FAINT}%s${SGR_RESET}\n" "$1" "$2"
  fi
}

#
# Exit with the given <msg ...>
#

abort() {
  >&2 printf "\n  ${SGR_RED}Error: %s${SGR_RESET}\n\n" "$*" && exit 1
}

#
# Synopsis: trace message ...
# Debugging output to stderr, not used in production code.
#

function trace() {
  >&2 printf "trace: %s\n" "$*"
}

#
# Synopsis: echo_red message ...
# Highlight message in colour (on stdout).
#

function echo_red() {
  printf "${SGR_RED}%s${SGR_RESET}\n" "$*"
}

#
# Synopsis: n_grep <args...>
# grep wrapper to ensure consistent grep options and circumvent aliases.
#

function n_grep() {
  GREP_OPTIONS='' command grep "$@"
}

#
# Setup and state
#

VERSION="10.2.0"

N_PREFIX="${N_PREFIX-/usr/local}"
N_PREFIX=${N_PREFIX%/}
readonly N_PREFIX

N_CACHE_PREFIX="${N_CACHE_PREFIX-${N_PREFIX}}"
N_CACHE_PREFIX=${N_CACHE_PREFIX%/}
CACHE_DIR="${N_CACHE_PREFIX}/n/versions"
readonly N_CACHE_PREFIX CACHE_DIR

N_NODE_MIRROR=${N_NODE_MIRROR:-${NODE_MIRROR:-https://nodejs.org/dist}}
N_NODE_MIRROR=${N_NODE_MIRROR%/}
readonly N_NODE_MIRROR

N_NODE_DOWNLOAD_MIRROR=${N_NODE_DOWNLOAD_MIRROR:-https://nodejs.org/download}
N_NODE_DOWNLOAD_MIRROR=${N_NODE_DOWNLOAD_MIRROR%/}
readonly N_NODE_DOWNLOAD_MIRROR

# Using xz instead of gzip is enabled by default, if xz compatibility checks pass.
# User may set N_USE_XZ to 0 to disable, or set to anything else to enable.
# May also be overridden by command line flags.

# Normalise external values to true/false
if [[ "${N_USE_XZ}" = "0" ]]; then
  N_USE_XZ="false"
elif [[ -n "${N_USE_XZ+defined}" ]]; then
  N_USE_XZ="true"
fi
# Not setting to readonly. Overriden by CLI flags, and update_xz_settings_for_version.

N_MAX_REMOTE_MATCHES=${N_MAX_REMOTE_MATCHES:-20}
# modified by update_mirror_settings_for_version
g_mirror_url=${N_NODE_MIRROR}
g_mirror_folder_name="node"

# Options for curl and wget.
# Defining commands in variables is fraught (https://mywiki.wooledge.org/BashFAQ/050)
# but we can follow the simple case and store arguments in an array.

GET_SHOWS_PROGRESS="false"
# --location to follow redirects
# --fail to avoid happily downloading error page from web server for 404 et al
# --show-error to show why failed (on stderr)
CURL_OPTIONS=( "--location" "--fail" "--show-error" )
if [[ -t 1 ]]; then
  CURL_OPTIONS+=( "--progress-bar" )
  command -v curl &> /dev/null && GET_SHOWS_PROGRESS="true"
else
  CURL_OPTIONS+=( "--silent" )
fi
WGET_OPTIONS=( "-q" "-O-" )

# Legacy support using unprefixed env. No longer documented in README.
if [ -n "$HTTP_USER" ];then
  if [ -z "$HTTP_PASSWORD" ]; then
    abort "Must specify HTTP_PASSWORD when supplying HTTP_USER"
  fi
  CURL_OPTIONS+=( "-u $HTTP_USER:$HTTP_PASSWORD" )
  WGET_OPTIONS+=( "--http-password=$HTTP_PASSWORD"
                "--http-user=$HTTP_USER" )
elif [ -n "$HTTP_PASSWORD" ]; then
  abort "Must specify HTTP_USER when supplying HTTP_PASSWORD"
fi

# Set by set_active_node
g_active_node=

# set by various lookups to allow mixed logging and return value from function, especially for engine and node
g_target_node=

DOWNLOAD=false # set to opt-out of activate (install), and opt-in to download (run, exec)
CLEANUP=false # remove cached download after install
ARCH="${N_ARCH-}"
SHOW_VERBOSE_LOG="true"
OFFLINE=false

# ANSI escape codes
# https://en.wikipedia.org/wiki/ANSI_escape_code
# https://no-color.org
# https://bixense.com/clicolors

USE_COLOR="true"
if [[ -n "${CLICOLOR_FORCE+defined}" && "${CLICOLOR_FORCE}" != "0" ]]; then
  USE_COLOR="true"
elif [[ -n "${NO_COLOR+defined}" || "${CLICOLOR}" = "0" || ! -t 1 ]]; then
  USE_COLOR="false"
fi
readonly USE_COLOR
# Select Graphic Rendition codes
if [[ "${USE_COLOR}" = "true" ]]; then
  # KISS and use codes rather than tput, avoid dealing with missing tput or TERM.
  readonly SGR_RESET="\033[0m"
  readonly SGR_FAINT="\033[2m"
  readonly SGR_RED="\033[31m"
  readonly SGR_CYAN="\033[36m"
else
  readonly SGR_RESET=
  readonly SGR_FAINT=
  readonly SGR_RED=
  readonly SGR_CYAN=
fi

#
# set_arch <arch> to override $(uname -a)
#

set_arch() {
  if test -n "$1"; then
    ARCH="$1"
  else
    abort "missing -a|--arch value"
  fi
}

#
# Synopsis: set_insecure
# Globals modified:
# - CURL_OPTIONS
# - WGET_OPTIONS
#

function set_insecure() {
  CURL_OPTIONS+=( "--insecure" )
  WGET_OPTIONS+=( "--no-check-certificate" )
}

#
# Synposis: display_major_version numeric-version
#
display_major_version() {
    local version=$1
    version="${version#v}"
    version="${version%%.*}"
    echo "${version}"
}

display_masked_url() {
  echo "$1" | sed -r 's/(https?:\/\/[^:]+):([^@]+)@/\1:****@/'
}

#
# Synopsis: update_mirror_settings_for_version version
# e.g. <nightly/latest> means using download mirror and folder is nightly
# Globals modified:
# - g_mirror_url
# - g_mirror_folder_name
#

function update_mirror_settings_for_version() {
  if is_download_folder "$1" ; then
    g_mirror_folder_name="$1"
    g_mirror_url="${N_NODE_DOWNLOAD_MIRROR}/${g_mirror_folder_name}"
  elif is_download_version "$1"; then
    [[ "$1" =~ ^([^/]+)/(.*) ]]
    local remote_folder="${BASH_REMATCH[1]}"
    g_mirror_folder_name="${remote_folder}"
    g_mirror_url="${N_NODE_DOWNLOAD_MIRROR}/${g_mirror_folder_name}"
  fi
}

#
# Synopsis: update_xz_settings_for_version numeric-version
# Globals modified:
# - N_USE_XZ
#

function update_xz_settings_for_version() {
  # tarballs in xz format were available in later version of iojs, but KISS and only use xz from v4.
  if [[ "${N_USE_XZ}" = "true" ]]; then
    local major_version="$(display_major_version "$1")"
    if [[ "${major_version}" -lt 4 ]]; then
      N_USE_XZ="false"
    fi
  fi
}

#
# Synopsis: update_arch_settings_for_version numeric-version
# Globals modified:
# - ARCH
#

function update_arch_settings_for_version() {
  local tarball_platform="$(display_tarball_platform)"
  if [[ -z "${ARCH}" && "${tarball_platform}" = "darwin-arm64" ]]; then
    # First native builds were for v16, but can use x64 in rosetta for older versions.
    local major_version="$(display_major_version "$1")"
    if [[ "${major_version}" -lt 16 ]]; then
      ARCH=x64
    fi
  fi
}

#
# Synopsis: is_lts_codename version
#

function is_lts_codename() {
  # https://github.com/nodejs/Release/blob/master/CODENAMES.md
  # e.g. argon, Boron
  [[ "$1" =~ ^([Aa]rgon|[Bb]oron|[Cc]arbon|[Dd]ubnium|[Ee]rbium|[Ff]ermium|[Gg]allium|[Hh]ydrogen|[Ii]ron|[Jj]od|[Kk]rypton|[Ll]ithium)$ ]]
}

#
# Synopsis: is_download_folder version
#

function is_download_folder() {
  # e.g. nightly
  [[ "$1" =~ ^(next-nightly|nightly|rc|release|test|v8-canary)$ ]]
}

#
# Synopsis: is_download_version version
#

function is_download_version() {
  # e.g. nightly/, nightly/latest, nightly/v11
  if [[ "$1" =~ ^([^/]+)/(.*) ]]; then
    local remote_folder="${BASH_REMATCH[1]}"
    is_download_folder "${remote_folder}"
    return
  fi
  return 2
}

#
# Synopsis: is_numeric_version version
#

function is_numeric_version() {
  # e.g. 6, v7.1, 8.11.3
  [[ "$1" =~ ^[v]{0,1}[0-9]+(\.[0-9]+){0,2}$ ]]
}

#
# Synopsis: is_exact_numeric_version version
#

function is_exact_numeric_version() {
  # e.g. 6, v7.1, 8.11.3
  [[ "$1" =~ ^[v]{0,1}[0-9]+\.[0-9]+\.[0-9]+$ ]]
}

#
# Synopsis: is_node_support_version version
# Reference: https://github.com/nodejs/package-maintenance/issues/236#issue-474783582
#

function is_node_support_version() {
  [[ "$1" =~ ^(active|lts_active|lts_latest|lts|current|supported)$ ]]
}

#
# Synopsis: display_latest_node_support_alias version
# Map aliases onto existing n aliases, current and lts
#

function display_latest_node_support_alias() {
  case "$1" in
    "active") printf "current" ;;
    "lts_active") printf "lts" ;;
    "lts_latest") printf "lts" ;;
    "lts") printf "lts" ;;
    "current") printf "current" ;;
    "supported") printf "current" ;;
    *) printf "unexpected-version"
  esac
}

#
# Functions used when showing versions installed
#

enter_fullscreen() {
  # Set cursor to be invisible
  tput civis 2> /dev/null
  # Save screen contents
  tput smcup 2> /dev/null
  stty -echo
}

leave_fullscreen() {
  # Set cursor to normal
  tput cnorm 2> /dev/null
  # Restore screen contents
  tput rmcup 2> /dev/null
  stty echo
}

handle_sigint() {
  leave_fullscreen
  S="$?"
  kill 0
  exit $S
}

handle_sigtstp() {
  leave_fullscreen
  kill -s SIGSTOP $$
}

#
# Output usage information.
#

display_help() {
  cat <<-EOF

Usage: n [options] [COMMAND] [args]

Commands:

  n                              Display downloaded Node.js versions and install selection
  n latest                       Install the latest Node.js release (downloading if necessary)
  n lts                          Install the latest LTS Node.js release (downloading if necessary)
  n <version>                    Install Node.js <version> (downloading if necessary)
  n install <version>            Install Node.js <version> (downloading if necessary)
  n run <version> [args ...]     Execute downloaded Node.js <version> with [args ...]
  n which <version>              Output path for downloaded node <version>
  n exec <vers> <cmd> [args...]  Execute command with modified PATH, so downloaded node <version> and npm first
  n rm <version ...>             Remove the given downloaded version(s)
  n prune                        Remove all downloaded versions except the installed version
  n --latest                     Output the latest Node.js version available
  n --lts                        Output the latest LTS Node.js version available
  n ls                           Output downloaded versions
  n ls-remote [version]          Output matching versions available for download
  n uninstall                    Remove the installed Node.js
  n download <version>           Download Node.js <version> into cache

Options:

  -V, --version         Output version of n
  -h, --help            Display help information
  -p, --preserve        Preserve npm and npx during install of Node.js
  -q, --quiet           Disable curl output. Disable log messages processing "auto" and "engine" labels.
  -d, --download        Download if necessary. Used with run/exec/which.
  --cleanup             Remove cached version after install
  -a, --arch            Override system architecture
  --offline             Resolve target version against cached downloads instead of internet lookup
  --all                 ls-remote displays all matches instead of last 20
  --insecure            Turn off certificate checking for https requests (may be needed from behind a proxy server)
  --use-xz/--no-use-xz  Override automatic detection of xz support and enable/disable use of xz compressed node downloads.

Aliases:

  install: i
  latest: current
  ls: list
  lsr: ls-remote
  lts: stable
  rm: -
  run: use, as
  which: bin

Versions:

  Numeric version numbers can be complete or incomplete, with an optional leading 'v'.
  Versions can also be specified by label, or codename,
  and other downloadable releases by <remote-folder>/<version>

    4.9.1, 8, v6.1    Numeric versions
    lts               Newest Long Term Support official release
    latest, current   Newest official release
    auto              Read version from file: .n-node-version, .node-version, .nvmrc, or package.json
    engine            Read version from package.json
    boron, carbon     Codenames for release streams
    lts_latest        Node.js support aliases

    and nightly, rc/10 et al

EOF
}

err_no_installed_print_help() {
  display_help
  abort "no downloaded versions yet, see above help for commands"
}

#
# Synopsis: next_version_installed selected_version
# Output version after selected (which may be blank under some circumstances).
#

function next_version_installed() {
  display_cache_versions | n_grep "$1" -A 1 | tail -n 1
}

#
# Synopsis: prev_version_installed selected_version
# Output version before selected  (which may be blank under some circumstances).
#

function prev_version_installed() {
  display_cache_versions | n_grep "$1" -B 1 | head -n 1
}

#
# Output n version.
#

display_n_version() {
  echo "$VERSION" && exit 0
}

#
# Synopsis: set_active_node
# Checks cached downloads for a binary matching the active node.
# Globals modified:
# - g_active_node
#

function set_active_node() {
  g_active_node=
  local node_path="$(command -v node)"
  if [[ -x "${node_path}" ]]; then
    local installed_version=$(node --version)
    installed_version=${installed_version#v}
    for dir in "${CACHE_DIR}"/*/ ; do
      local folder_name="${dir%/}"
      folder_name="${folder_name##*/}"
      if diff &> /dev/null \
        "${CACHE_DIR}/${folder_name}/${installed_version}/bin/node" \
        "${node_path}" ; then
        g_active_node="${folder_name}/${installed_version}"
        break
      fi
    done
  fi
}

#
# Display sorted versions directories paths.
#

display_versions_paths() {
  find "$CACHE_DIR" -maxdepth 2 -type d \
    | sed 's|'"$CACHE_DIR"'/||g' \
    | n_grep -E "/[0-9]+\.[0-9]+\.[0-9]+" \
    | sed 's|/|.|' \
    | sort -k 1,1 -k 2,2n -k 3,3n -k 4,4n -t . \
    | sed 's|\.|/|'
}

#
# Display installed versions with <selected>
#

display_versions_with_selected() {
  local selected="$1"
  echo
  for version in $(display_versions_paths); do
    if test "$version" = "$selected"; then
      printf "  ${SGR_CYAN}ο${SGR_RESET} %s\n" "$version"
    else
      printf "    ${SGR_FAINT}%s${SGR_RESET}\n" "$version"
    fi
  done
  echo
  printf "Use up/down arrow keys to select a version, return key to install, d to delete, q to quit"
}

#
# Synopsis: display_cache_versions
#

function display_cache_versions() {
  for folder_and_version in $(display_versions_paths); do
    echo "${folder_and_version}"
  done
}

#
# Display current node --version and others installed.
#

menu_select_cache_versions() {
  enter_fullscreen
  set_active_node
  local selected="${g_active_node}"

  clear
  display_versions_with_selected "${selected}"

  trap handle_sigint INT
  trap handle_sigtstp SIGTSTP

  ESCAPE_SEQ=$'\033'
  UP=$'A'
  DOWN=$'B'
  CTRL_P=$'\020'
  CTRL_N=$'\016'

  while true; do
    read -rsn 1 key
    case "$key" in
      "$ESCAPE_SEQ")
        # Handle ESC sequences followed by other characters, i.e. arrow keys
        read -rsn 1 -t 1 tmp
        # See "[" if terminal in normal mode, and "0" in application mode
        if [[ "$tmp" == "[" || "$tmp" == "O" ]]; then
          read -rsn 1 -t 1 arrow
          case "$arrow" in
            "$UP")
              clear
              selected="$(prev_version_installed "${selected}")"
              display_versions_with_selected "${selected}"
              ;;
            "$DOWN")
              clear
              selected="$(next_version_installed "${selected}")"
              display_versions_with_selected "${selected}"
              ;;
          esac
        fi
        ;;
      "d")
        if [[ -n "${selected}" ]]; then
          clear
          # Note: prev/next is constrained to min/max
          local after_delete_selection="$(next_version_installed "${selected}")"
          if [[ "${after_delete_selection}" == "${selected}"  ]]; then
            after_delete_selection="$(prev_version_installed "${selected}")"
          fi
          remove_versions "${selected}"

          if [[ "${after_delete_selection}" == "${selected}" ]]; then
            clear
            leave_fullscreen
            echo "All downloaded versions have been deleted from cache."
            exit
          fi

          selected="${after_delete_selection}"
          display_versions_with_selected "${selected}"
        fi
        ;;
      # Vim or Emacs 'up' key
      "k"|"$CTRL_P")
        clear
        selected="$(prev_version_installed "${selected}")"
        display_versions_with_selected "${selected}"
        ;;
      # Vim or Emacs 'down' key
      "j"|"$CTRL_N")
        clear
        selected="$(next_version_installed "${selected}")"
        display_versions_with_selected "${selected}"
        ;;
      "q")
        clear
        leave_fullscreen
        exit
        ;;
      "")
        # enter key returns empty string
        leave_fullscreen
        [[ -n "${selected}" ]] && activate "${selected}"
        exit
        ;;
    esac
  done
}

#
# Move up a line and erase.
#

erase_line() {
  printf "\033[1A\033[2K"
}

#
# Disable PaX mprotect for <binary>
#

disable_pax_mprotect() {
  test -z "$1" && abort "binary required"
  local binary="$1"

  # try to disable mprotect via XATTR_PAX header
  local PAXCTL="$(PATH="/sbin:/usr/sbin:$PATH" command -v paxctl-ng 2>&1)"
  local PAXCTL_ERROR=1
  if [ -x "$PAXCTL" ]; then
    $PAXCTL -l && $PAXCTL -m "$binary" >/dev/null 2>&1
    PAXCTL_ERROR="$?"
  fi

  # try to disable mprotect via PT_PAX header
  if [ "$PAXCTL_ERROR" != 0 ]; then
    PAXCTL="$(PATH="/sbin:/usr/sbin:$PATH" command -v paxctl 2>&1)"
    if [ -x "$PAXCTL" ]; then
      $PAXCTL -Cm "$binary" >/dev/null 2>&1
    fi
  fi
}

#
# clean_copy_folder <source> <target>
#

clean_copy_folder() {
  local source="$1"
  local target="$2"
  if [[ -d "${source}" ]]; then
    rm -rf "${target}"
    cp -fR "${source}" "${target}"
  fi
}

#
# Activate <version>
#

activate() {
  local version="$1"
  local dir="$CACHE_DIR/$version"
  local original_node="$(command -v node)"
  local installed_node="${N_PREFIX}/bin/node"
  log "copying" "$version"


  # Ideally we would just copy from cache to N_PREFIX, but there are some complications
  # - various linux versions use symlinks for folders in /usr/local and also error when copy folder onto symlink
  # - we have used cp for years, so keep using it for backwards compatibility (instead of say rsync)
  # - we allow preserving npm
  # - we want to be somewhat robust to changes in tarball contents, so use find instead of hard-code expected subfolders
  #
  # This code was purist and concise for a long time.
  # Now twice as much code, but using same code path for all uses, and supporting more setups.

  # Copy lib before bin so symlink targets exist.
  # lib
  mkdir -p "$N_PREFIX/lib"
  # Copy everything except node_modules.
  find "$dir/lib" -mindepth 1 -maxdepth 1 \! -name node_modules -exec cp -fR "{}" "$N_PREFIX/lib" \;
  if [[ -z "${N_PRESERVE_NPM}" ]]; then
    mkdir -p "$N_PREFIX/lib/node_modules"
    # Copy just npm, skipping possible added global modules after download. Clean copy to avoid version change problems.
    clean_copy_folder "$dir/lib/node_modules/npm" "$N_PREFIX/lib/node_modules/npm"
  fi
  # Takes same steps for corepack (experimental in node 16.9.0) as for npm, to avoid version problems.
  if [[ -e "$dir/lib/node_modules/corepack" && -z "${N_PRESERVE_COREPACK}" ]]; then
    mkdir -p "$N_PREFIX/lib/node_modules"
    clean_copy_folder "$dir/lib/node_modules/corepack" "$N_PREFIX/lib/node_modules/corepack"
  fi

  # bin
  mkdir -p "$N_PREFIX/bin"
  # Remove old node to avoid potential problems with firewall getting confused on Darwin by overwrite.
  rm -f "$N_PREFIX/bin/node"
  # Copy bin items by hand, in case user has installed global npm modules into cache.
  cp -f "$dir/bin/node" "$N_PREFIX/bin"
  [[ -e "$dir/bin/node-waf" ]] && cp -f "$dir/bin/node-waf" "$N_PREFIX/bin" # v0.8.x
  if [[ -z "${N_PRESERVE_COREPACK}" ]]; then
    [[ -e "$dir/bin/corepack" ]] && cp -fR "$dir/bin/corepack" "$N_PREFIX/bin" # from 16.9.0
  fi
  if [[ -z "${N_PRESERVE_NPM}" ]]; then
    [[ -e "$dir/bin/npm" ]] && cp -fR "$dir/bin/npm" "$N_PREFIX/bin"
    [[ -e "$dir/bin/npx" ]] && cp -fR "$dir/bin/npx" "$N_PREFIX/bin"
  fi

  # include
  mkdir -p "$N_PREFIX/include"
  find "$dir/include" -mindepth 1 -maxdepth 1 -exec cp -fR "{}" "$N_PREFIX/include" \;

  # share
  mkdir -p "$N_PREFIX/share"
  # Copy everything except man, at it is a symlink on some Linux (e.g. archlinux).
  find "$dir/share" -mindepth 1 -maxdepth 1 \! -name man -exec cp -fR "{}" "$N_PREFIX/share" \;
  mkdir -p "$N_PREFIX/share/man"
  find "$dir/share/man" -mindepth 1 -maxdepth 1 -exec cp -fR "{}" "$N_PREFIX/share/man" \;

  disable_pax_mprotect "${installed_node}"

  local active_node="$(command -v node)"
  if [[ -e "${active_node}" && -e "${installed_node}" && "${active_node}" != "${installed_node}" ]]; then
    # Installed and active are different which might be a PATH problem. List both to give user some clues.
    log "installed" "$("${installed_node}" --version) to ${installed_node}"
    log "active" "$("${active_node}" --version) at ${active_node}"
  else
    local npm_version_str=""
    local installed_npm="${N_PREFIX}/bin/npm"
    local active_npm="$(command -v npm)"
    if [[ -z "${N_PRESERVE_NPM}" && -e "${active_npm}" && -e "${installed_npm}" && "${active_npm}" = "${installed_npm}" ]]; then
      npm_version_str=" (with npm $(npm --version))"
    fi

    log "installed" "$("${installed_node}" --version)${npm_version_str}"

    # Extra tips for changed location.
    if [[ -e "${active_node}" && -e "${original_node}" && "${active_node}" != "${original_node}" ]]; then
      printf '\nNote: the node command changed location and the old location may be remembered in your current shell.\n'
      log old "${original_node}"
      log new "${active_node}"
      printf 'If "node --version" shows the old version then start a new shell, or reset the location hash with:\nhash -r  (for bash, zsh, ash, dash, and ksh)\nrehash   (for csh and tcsh)\n'
    fi
  fi

  if [[ "$CLEANUP" == "true" ]]; then
    log "cleanup" "removing cached $version"
    remove_versions "$version"
  fi

}

#
# Install <version>
#

install() {
  [[ -z "$1" ]] && abort "version required"
  local version
  get_latest_resolved_version "$1" || return 2
  version="${g_target_node}"
  [[ -n "${version}" ]] || abort "no version found for '$1'"
  update_mirror_settings_for_version "$1"
  update_xz_settings_for_version "${version}"
  update_arch_settings_for_version "${version}"

  local dir="${CACHE_DIR}/${g_mirror_folder_name}/${version}"

  # Note: decompression flags ignored with default Darwin tar which autodetects.
  if test "$N_USE_XZ" = "true"; then
    local tarflag="-Jx"
  else
    local tarflag="-zx"
  fi

  if test -d "$dir"; then
    if [[ ! -e "$dir/n.lock" ]] ; then
      if [[ "$DOWNLOAD" == "false" ]] ; then
        activate "${g_mirror_folder_name}/${version}"
      else
        log downloaded "${g_mirror_folder_name}/${version} already in cache"
      fi
      exit
    fi
  fi
  if [[ "$OFFLINE" == "true" ]]; then
    abort "version unavailable offline"
  fi

  if [[ "$DOWNLOAD" == "false" ]]; then
    log installing "${g_mirror_folder_name}-v$version"
  else
    log download "${g_mirror_folder_name}-v$version"
  fi

  local url="$(tarball_url "$version")"
  is_ok "${url}" || abort "download preflight failed for '$version' ($(display_masked_url "${url}"))"

  log mkdir "$dir"
  mkdir -p "$dir" || abort "sudo required (or change ownership, or define N_PREFIX)"
  touch "$dir/n.lock"

  cd "${dir}" || abort "Failed to cd to ${dir}"

  log fetch "$(display_masked_url "${url}")"
  do_get "${url}" | tar "$tarflag" --strip-components=1 --no-same-owner -f -
  pipe_results=( "${PIPESTATUS[@]}" )
  if [[ "${pipe_results[0]}" -ne 0 ]]; then
    abort "failed to download archive for $version"
  fi
  if [[ "${pipe_results[1]}" -ne 0 ]]; then
    abort "failed to extract archive for $version"
  fi
  [ "$GET_SHOWS_PROGRESS" = "true" ] && erase_line
  rm -f "$dir/n.lock"

  disable_pax_mprotect bin/node

  if [[ "$DOWNLOAD" == "false" ]]; then
    activate "${g_mirror_folder_name}/$version"
  fi
}

#
# Be more silent.
#

set_quiet() {
  SHOW_VERBOSE_LOG="false"
  command -v curl > /dev/null && CURL_OPTIONS+=( "--silent" ) && GET_SHOWS_PROGRESS="false"
}

#
# Synopsis: do_get [option...] url
# Call curl or wget with combination of global and passed options.
#

function do_get() {
  if command -v curl &> /dev/null; then
    curl "${CURL_OPTIONS[@]}" "$@"
  elif command -v wget &> /dev/null; then
    wget "${WGET_OPTIONS[@]}" "$@"
  else
    abort "curl or wget command required"
  fi
}

#
# Synopsis: do_get_index [option...] url
# Call curl or wget with combination of global and passed options,
# with options tweaked to be more suitable for getting index.
#

function do_get_index() {
  if command -v curl &> /dev/null; then
    # --silent to suppress progress et al
    curl --silent "${CURL_OPTIONS[@]}" "$@"
  elif command -v wget &> /dev/null; then
    wget "${WGET_OPTIONS[@]}" "$@"
  else
    abort "curl or wget command required"
  fi
}

#
# Synopsis: remove_versions version ...
#

function remove_versions() {
  [[ -z "$1" ]] && abort "version(s) required"
  while [[ $# -ne 0 ]]; do
    local version
    get_latest_resolved_version "$1" || break
    version="${g_target_node}"
    if [[ -n "${version}" ]]; then
      update_mirror_settings_for_version "$1"
      local dir="${CACHE_DIR}/${g_mirror_folder_name}/${version}"
      if [[ -s "${dir}" ]]; then
        rm -rf "${dir}"
      else
        echo "$1 (${version}) not in downloads cache"
      fi
    else
      echo "No version found for '$1'"
    fi
    shift
  done
}

#
# Synopsis: prune_cache
#

function prune_cache() {
  set_active_node

  for folder_and_version in $(display_versions_paths); do
    if [[ "${folder_and_version}" != "${g_active_node}" ]]; then
      echo "${folder_and_version}"
      rm -rf "${CACHE_DIR:?}/${folder_and_version}"
    fi
  done
}

#
# Synopsis: find_cached_version version
# Finds cache directory for resolved version.
# Globals modified:
# - g_cached_version

function find_cached_version() {
  [[ -z "$1" ]] && abort "version required"
  local version
  get_latest_resolved_version "$1" || exit 1
  version="${g_target_node}"
  [[ -n "${version}" ]] || abort "no version found for '$1'"

  update_mirror_settings_for_version "$1"
  g_cached_version="${CACHE_DIR}/${g_mirror_folder_name}/${version}"
  if [[ ! -d "${g_cached_version}" && "${DOWNLOAD}" == "true" ]]; then
    (install "${version}")
  fi
  [[ -d "${g_cached_version}" ]] || abort "'$1' (${version}) not in downloads cache"
}


#
# Synopsis: display_bin_path_for_version version
#

function display_bin_path_for_version() {
  find_cached_version "$1"
  echo "${g_cached_version}/bin/node"
}

#
# Synopsis: run_with_version version [args...]
# Run the given <version> of node with [args ..]
#

function run_with_version() {
  find_cached_version "$1"
  shift # remove version from parameters
  exec "${g_cached_version}/bin/node" "$@"
}

#
# Synopsis: exec_with_version <version> command [args...]
# Modify the path to include <version> and execute command.
#

function exec_with_version() {
  find_cached_version "$1"
  shift # remove version from parameters
  PATH="${g_cached_version}/bin:$PATH" exec "$@"
}

#
# Synopsis: is_ok url
# Check the HEAD response of <url>.
#

function is_ok() {
  # Note: both curl and wget can follow redirects, as present on some mirrors (e.g. https://npm.taobao.org/mirrors/node).
  # The output is complicated with redirects, so keep it simple and use command status rather than parse output.
  if command -v curl &> /dev/null; then
    do_get --silent --head "$1" > /dev/null || return 1
  else
    do_get --spider "$1" > /dev/null || return 1
  fi
}

#
# Synopsis: can_use_xz
# Test system to see if xz decompression is supported by tar.
#

function can_use_xz() {
  # Be conservative and only enable if xz is likely to work. Unfortunately we can't directly query tar itself.
  # For research, see https://github.com/shadowspawn/nvh/issues/8
  local uname_s="$(uname -s)"
  if [[ "${uname_s}" = "Linux" ]] && command -v xz &> /dev/null ; then
    # tar on linux is likely to support xz if it is available as a command
    return 0
  elif [[ "${uname_s}" = "Darwin" ]]; then
    local macos_version="$(sw_vers -productVersion)"
    local macos_major_version="$(echo "${macos_version}" | cut -d '.' -f 1)"
    local macos_minor_version="$(echo "${macos_version}" | cut -d '.' -f 2)"
    if [[ "${macos_major_version}" -gt 10 || "${macos_minor_version}" -gt 8 ]]; then
      # tar on recent Darwin has xz support built-in
      return 0
    fi
  fi
  return 2 # not supported
}

#
# Synopsis: display_tarball_platform
#

function display_tarball_platform() {
  # https://en.wikipedia.org/wiki/Uname

  local os="unexpected_os"
  local uname_a="$(uname -a)"
  case "${uname_a}" in
    Linux*) os="linux" ;;
    Darwin*) os="darwin" ;;
    SunOS*) os="sunos" ;;
    AIX*) os="aix" ;;
    CYGWIN*) >&2 echo_red "Cygwin is not supported by n" ;;
    MINGW*) >&2 echo_red "Git BASH (MSYS) is not supported by n" ;;
  esac

  # architecture might already be known from (priority order):
  # * --arch flag on the command line,
  # * otherwise, from $N_ARCH
  # * otherwise from version specific adjustment (if applicable, see update_arch_settings_for_version)
  local arch="$ARCH"
  if [[ -z "$arch" ]]; then
    arch="unexpected_arch"
    local uname_m="$(uname -m)"
    case "${uname_m}" in
      x86_64) arch=x64 ;;
      i386 | i686) arch="x86" ;;
      aarch64) arch=arm64 ;;
      armv8l) arch=arm64 ;; # armv8l probably supports arm64, and there is no specific armv8l build so give it a go
      *)
        # e.g. armv6l, armv7l, arm64
        arch="${uname_m}"
        ;;
    esac
  fi

  echo "${os}-${arch}"
}

#
# Synopsis: display_compatible_file_field
# display <file> for current platform, as per <file> field in index.tab, which is different than actual download
#

function display_compatible_file_field {
  local compatible_file_field="$(display_tarball_platform)"
  if [[ -z "${ARCH}" && "${compatible_file_field}" = "darwin-arm64" ]]; then
    # Look for arm64 for native but also x64 for older versions which can run in rosetta.
    # (Downside is will get an install error if install version above 16 with x64 and not arm64.)
    compatible_file_field="osx-arm64-tar|osx-x64-tar"
  elif [[ "${compatible_file_field}" =~ darwin-(.*) ]]; then
    compatible_file_field="osx-${BASH_REMATCH[1]}-tar"
  fi
  echo "${compatible_file_field}"
}

#
# Synopsis: tarball_url version
#

function tarball_url() {
  local version="$1"
  local ext=gz
  [ "$N_USE_XZ" = "true" ] && ext="xz"
  echo "${g_mirror_url}/v${version}/node-v${version}-$(display_tarball_platform).tar.${ext}"
}

#
# Synopsis: get_file_node_version filename
# Sets g_target_node
#

function get_file_node_version() {
  g_target_node=
  local filepath="$1"
  verbose_log "found" "${filepath}"
  # read returns a non-zero status but does still work if there is no line ending
  local version
  <"${filepath}" read -r version
  # trim possible trailing \d from a Windows created file
  version="${version%%[[:space:]]}"
  verbose_log "read" "${version}"
  g_target_node="${version}"
}

#
# Synopsis: get_package_engine_version\
# Sets g_target_node
#

function get_package_engine_version() {
  g_target_node=
  local filepath="$1"
  verbose_log "found" "${filepath}"
  local range
  if command -v jq &> /dev/null; then
    range="$(jq -r '.engines.node // ""' < "${filepath}")"
  elif command -v node &> /dev/null; then
    range="$(node -e "package = require('${filepath}'); if (package && package.engines && package.engines.node) console.log(package.engines.node)")"
  else
    abort "either jq or an active version of node is required to read 'engines' from package.json"
  fi
  verbose_log "read" "${range}"
  [[ -n "${range}" ]] || return 2
  if [[ "*" == "${range}" ]]; then
    verbose_log "target" "current"
    g_target_node="current"
    return
  fi

  local version
  if [[ "${range}" =~ ^([>~^=]|\>\=)?v?([0-9]+(\.[0-9]+){0,2})(.[xX*])?$ ]]; then
    local operator="${BASH_REMATCH[1]}"
    version="${BASH_REMATCH[2]}"
    case "${operator}" in
      '' | =) ;;
      \> | \>=) version="current" ;;
      \~) [[ "${version}" =~ ^([0-9]+\.[0-9]+)\.[0-9]+$ ]] && version="${BASH_REMATCH[1]}" ;;
      ^) [[ "${version}" =~ ^([0-9]+) ]] && version="${BASH_REMATCH[1]}" ;;
    esac
    verbose_log "target" "${version}"
  else
    command -v npx &> /dev/null || abort "an active version of npx is required to use complex 'engine' ranges from package.json"
    [[ "$OFFLINE" != "true" ]] || abort "offline: an internet connection is required for looking up complex 'engine' ranges from package.json"
    verbose_log "resolving" "${range}"
    local version_per_line="$(n lsr --all)"
    local versions_one_line=$(echo "${version_per_line}" | tr '\n' ' ')
    # Using semver@7 so works with older versions of node.
    # shellcheck disable=SC2086
    version=$(npm_config_yes=true npx --quiet semver@7 -r "${range}" ${versions_one_line} | tail -n 1)
  fi
  g_target_node="${version}"
}

#
# Synopsis: get_nvmrc_version
# Sets g_target_node
#

function get_nvmrc_version() {
  g_target_node=
  local filepath="$1"
  verbose_log "found" "${filepath}"
  local version
  <"${filepath}" read -r version
  # remove trailing comment, after #
  version="$(echo "${version}" | sed 's/[[:space:]]*#.*//')"
  verbose_log "read" "${version}"
  # Translate from nvm aliases
  case "${version}" in
    lts/\*) version="lts" ;;
    lts/*) version="${version:4}" ;;
    node) version="current" ;;
    *) ;;
  esac
  g_target_node="${version}"
}

#
# Synopsis: get_engine_version [error-message]
# Sets g_target_node
#

function get_engine_version() {
  g_target_node=
  local error_message="${1-package.json not found}"
  local parent
  parent="${PWD}"
  while [[ -n "${parent}" ]]; do
    if [[ -e "${parent}/package.json" ]]; then
      get_package_engine_version "${parent}/package.json"
    else
      parent=${parent%/*}
      continue
    fi
    break
  done
  [[ -n "${parent}" ]] || abort "${error_message}"
  [[ -n "${g_target_node}" ]] || abort "did not find supported version of node in 'engines' field of package.json"
}

#
# Synopsis: get_auto_version
# Sets g_target_node
#

function get_auto_version() {
  g_target_node=
  # Search for a version control file first
  local parent
  parent="${PWD}"
  while [[ -n "${parent}" ]]; do
    if [[ -e "${parent}/.n-node-version" ]]; then
      get_file_node_version "${parent}/.n-node-version"
    elif [[ -e "${parent}/.node-version" ]]; then
      get_file_node_version "${parent}/.node-version"
    elif [[ -e "${parent}/.nvmrc" ]]; then
      get_nvmrc_version "${parent}/.nvmrc"
    else
      parent=${parent%/*}
      continue
    fi
    break
  done
  # Fallback to package.json
  [[ -n "${parent}" ]] || get_engine_version "no file found for auto version (.n-node-version, .node-version, .nvmrc, or package.json)"
  [[ -n "${g_target_node}" ]] || abort "file found for auto did not contain target version of node"
}

#
# Synopsis: get_latest_resolved_version version
# Sets g_target_node
#

function get_latest_resolved_version() {
  g_target_node=
  local version=${1}

  # Transform some labels before processing further to allow fast-track for exact numeric versions.
  if [[ "${version}" = "auto" ]]; then
    get_auto_version || return 2
    version="${g_target_node}"
  elif [[ "${version}" = "engine" ]]; then
    get_engine_version || return 2
    version="${g_target_node}"
  fi

  simple_version=${version#node/} # Only place supporting node/ [sic]
  if is_exact_numeric_version "${simple_version}"; then
    # Just numbers, already resolved, no need to lookup first.
    simple_version="${simple_version#v}"
    g_target_node="${simple_version}"
  elif [[ "$OFFLINE" == "true" ]]; then
    g_target_node=$(display_local_versions "${version}")
  else
    # Complicated recognising exact version, KISS and lookup.
    g_target_node=$(N_MAX_REMOTE_MATCHES=1 display_remote_versions "$version")
  fi
}

#
# Synopsis: display_remote_index
# index.tab reference: https://github.com/nodejs/nodejs-dist-indexer
# Index fields are: version	date	files	npm	v8	uv	zlib	openssl	modules	lts security
# KISS and just return fields we currently care about: version files lts
#

display_remote_index() {
  local index_url="${g_mirror_url}/index.tab"
  # tail to remove header line
  do_get_index "${index_url}" | tail -n +2 | cut -f 1,3,10
  if [[ "${PIPESTATUS[0]}" -ne 0 ]]; then
    # Reminder: abort will only exit subshell, but consistent error display
    abort "failed to download version index ($(display_masked_url "${index_url}"))"
  fi
}

#
# Synopsis: display_match_limit limit
#

function display_match_limit(){
  if [[ "$1" -gt 1 && "$1" -lt 32000 ]]; then
    echo "Listing remote... Displaying $1 matches (use --all to see all)."
  fi
}

#
# Synopsis: display_local_versions version
#

function display_local_versions() {
  local version="$1"
  local match='.'
  verbose_log "offline" "matching cached versions"

    # Transform some labels before processing further.
  if is_node_support_version "${version}"; then
    version="$(display_latest_node_support_alias "${version}")"
    match_count=1
  elif [[ "${version}" = "auto" ]]; then
    get_auto_version || return 2
    version="${g_target_node}"
  elif [[ "${version}" = "engine" ]]; then
    get_engine_version || return 2
    version="${g_target_node}"
  fi

  if [[ "${version}" = "latest" || "${version}" = "current" ]]; then
    match='^node/.'
  elif is_exact_numeric_version "${version}"; then
    # Quote any dots in version so they are literal for expression
    match="^node/${version//\./\.}"
  elif is_numeric_version "${version}"; then
    version="${version#v}"
    # Quote any dots in version so they are literal for expression
    match="${version//\./\.}"
    # Avoid 1.2 matching 1.23
    match="^node/${match}[^0-9]"
  # elif is_lts_codename "${version}"; then
  # see if demand
  elif is_download_folder "${version}"; then
    match="^${version}/"
  # elif is_download_version "${version}"; then
  # see if demand
  else
    abort "invalid version '$1' for offline matching"
  fi

  display_versions_paths \
    | n_grep -E "${match}" \
    | tail -n 1 \
    | sed 's|node/||'
}

#
# Synopsis: display_remote_versions version
#

function display_remote_versions() {
  local version="$1"
  update_mirror_settings_for_version "${version}"
  local match='.'
  local match_count="${N_MAX_REMOTE_MATCHES}"

  # Transform some labels before processing further.
  if is_node_support_version "${version}"; then
    version="$(display_latest_node_support_alias "${version}")"
    match_count=1
  elif [[ "${version}" = "auto" ]]; then
    get_auto_version || return 2
    version="${g_target_node}"
  elif [[ "${version}" = "engine" ]]; then
    get_engine_version || return 2
    version="${g_target_node}"
  fi

  if [[ -z "${version}" ]]; then
    match='.'
  elif [[ "${version}" = "lts" || "${version}" = "stable" ]]; then
    match_count=1
    # Codename is last field, first one with a name is newest lts
    match="${TAB_CHAR}[a-zA-Z]+\$"
  elif [[ "${version}" = "latest" || "${version}" = "current" ]]; then
    match_count=1
    match='.'
  elif is_numeric_version "${version}"; then
    version="v${version#v}"
    # Avoid restriction message if exact version
    is_exact_numeric_version "${version}" && match_count=1
    # Quote any dots in version so they are literal for expression
    match="${version//\./\.}"
    # Avoid 1.2 matching 1.23
    match="^${match}[^0-9]"
  elif is_lts_codename "${version}"; then
    # Capitalise (could alternatively make grep case insensitive)
    codename="$(echo "${version:0:1}" | tr '[:lower:]' '[:upper:]')${version:1}"
    # Codename is last field
    match="${TAB_CHAR}${codename}\$"
  elif is_download_folder "${version}"; then
    match='.'
  elif is_download_version "${version}"; then
    version="${version#"${g_mirror_folder_name}"/}"
    if [[ "${version}" = "latest" || "${version}" = "current" ]]; then
      match_count=1
      match='.'
    else
      version="v${version#v}"
      match="${version//\./\.}"
      match="^${match}" # prefix
      if is_numeric_version "${version}"; then
        # Exact numeric match
        match="${match}[^0-9]"
      fi
    fi
  else
    abort "invalid version '$1'"
  fi
  display_match_limit "${match_count}"

  # Implementation notes:
  # - using awk rather than head so do not close pipe early on curl
  # - restrict search to compatible files as not always available, or not at same time
  # - return status of curl command (i.e. PIPESTATUS[0])
  display_remote_index \
    | n_grep -E "$(display_compatible_file_field)" \
    | n_grep -E "${match}" \
    | awk "NR<=${match_count}" \
    | cut -f 1 \
    | n_grep -E -o '[^v].*'
  return "${PIPESTATUS[0]}"
}

#
# Synopsis: delete_with_echo target
#

function delete_with_echo() {
  if [[ -e "$1" ]]; then
    echo "$1"
    rm -rf "$1"
  fi
}

#
# Synopsis: uninstall_installed
# Uninstall the installed node and npm (leaving alone the cache),
# so undo install, and may expose possible system installed versions.
#

uninstall_installed() {
  # npm: https://docs.npmjs.com/misc/removing-npm
  #   rm -rf /usr/local/{lib/node{,/.npm,_modules},bin,share/man}/npm*
  # node: https://stackabuse.com/how-to-uninstall-node-js-from-mac-osx/
  # Doing it by hand rather than scanning cache, so still works if cache deleted first.
  # This covers tarballs for at least node 4 through 10.

  while true; do
      read -r -p "Do you wish to delete node and npm from ${N_PREFIX}? " yn
      case $yn in
          [Yy]* ) break ;;
          [Nn]* ) exit ;;
          * ) echo "Please answer yes or no.";;
      esac
  done

  echo ""
  echo "Uninstalling node and npm"
  delete_with_echo "${N_PREFIX}/bin/node"
  delete_with_echo "${N_PREFIX}/bin/npm"
  delete_with_echo "${N_PREFIX}/bin/npx"
  delete_with_echo "${N_PREFIX}/bin/corepack"
  delete_with_echo "${N_PREFIX}/include/node"
  delete_with_echo "${N_PREFIX}/lib/dtrace/node.d"
  delete_with_echo "${N_PREFIX}/lib/node_modules/npm"
  delete_with_echo "${N_PREFIX}/lib/node_modules/corepack"
  delete_with_echo "${N_PREFIX}/share/doc/node"
  delete_with_echo "${N_PREFIX}/share/man/man1/node.1"
  delete_with_echo "${N_PREFIX}/share/systemtap/tapset/node.stp"
}

#
# Synopsis: show_permission_suggestions
#

function show_permission_suggestions() {
  echo "Suggestions:"
  echo "- run n with sudo, or"
  if [[ "${N_CACHE_PREFIX}" == "${N_PREFIX}" ]]; then
    echo "- define N_PREFIX to a writeable location, or"
  else
    echo "- define N_PREFIX and N_CACHE_PREFIX to writeable locations, or"
  fi
}

#
# Synopsis: show_diagnostics
# Show environment and check for common problems.
#

function show_diagnostics() {
  echo "This information is to help you diagnose issues, and useful when reporting an issue."
  echo "Note: some output may contain passwords. Redact before sharing."

  printf "\n\nCOMMAND LOCATIONS AND VERSIONS\n"

  printf "\nbash\n"
  command -v bash && bash --version

  printf "\nn\n"
  command -v n && n --version

  printf "\nnode\n"
  if command -v node &> /dev/null; then
    node --version
    node -e 'if (process.versions.v8) console.log("JavaScript engine: v8");'

    printf "\nnpm\n"
    command -v npm && npm --version
  fi

  printf "\ntar\n"
  if command -v tar &> /dev/null; then
    tar --version
  else
    echo_red "tar not found. Needed for extracting downloads."
  fi

  printf "\ncurl or wget\n"
  if command -v curl &> /dev/null; then
    curl --version
  elif command -v wget &> /dev/null; then
    wget --version
  else
    echo_red "Neither curl nor wget found. Need one of them for downloads."
  fi

  printf "\njq\n"
  command -v jq && jq --version

  printf "\nuname\n"
  uname -a

  printf "\n\nSETTINGS\n"

  printf "\nn\n"
  echo "node mirror: $(display_masked_url "${N_NODE_MIRROR}")"
  echo "node downloads mirror: $(display_masked_url "${N_NODE_DOWNLOAD_MIRROR}")"
  echo "install destination: ${N_PREFIX}"
  [[ -n "${N_PREFIX}" ]] && echo "PATH: ${PATH}"
  [[ -n "$N_ARCH" ]] && echo "default arch: $N_ARCH"
  echo "ls-remote max matches: ${N_MAX_REMOTE_MATCHES}"
   [[ -n "${N_PRESERVE_NPM}" ]] && echo "installs preserve npm by default"
   [[ -n "${N_PRESERVE_COREPACK}" ]] && echo "installs preserve corepack by default"

  printf "\nProxy\n"
  # disable "var is referenced but not assigned": https://github.com/koalaman/shellcheck/wiki/SC2154
  # shellcheck disable=SC2154
  [[ -n "${http_proxy}" ]] && echo "http_proxy: ${http_proxy}"
  # shellcheck disable=SC2154
  [[ -n "${https_proxy}" ]] && echo "https_proxy: ${https_proxy}"
  if command -v curl &> /dev/null; then
    # curl supports lower case and upper case!
    # shellcheck disable=SC2154
    [[ -n "${all_proxy}" ]] && echo "all_proxy: ${all_proxy}"
    [[ -n "${ALL_PROXY}" ]] && echo "ALL_PROXY: ${ALL_PROXY}"
    [[ -n "${HTTP_PROXY}" ]] && echo "HTTP_PROXY: ${HTTP_PROXY}"
    [[ -n "${HTTPS_PROXY}" ]] && echo "HTTPS_PROXY: ${HTTPS_PROXY}"
    if [[ -e "${CURL_HOME}/.curlrc" ]]; then
       echo "have \$CURL_HOME/.curlrc"
    elif [[ -e "${HOME}/.curlrc" ]]; then
      echo "have \$HOME/.curlrc"
    fi
  elif command -v wget &> /dev/null; then
    if [[ -e "${WGETRC}" ]]; then
      echo "have \$WGETRC"
    elif [[ -e "${HOME}/.wgetrc" ]]; then
      echo "have \$HOME/.wgetrc"
    fi
  fi

  printf "\n\nCHECKS\n"

  printf "\nChecking n install destination is in PATH...\n"
  local install_bin="${N_PREFIX}/bin"
  local path_wth_guards=":${PATH}:"
  if [[ "${path_wth_guards}" =~ :${install_bin}/?: ]]; then
    printf "good\n"
  else
    echo_red "'${install_bin}' is not in PATH"
  fi
  if command -v node &> /dev/null; then
    printf "\nChecking n install destination priority in PATH...\n"
    local node_dir="$(dirname "$(command -v node)")"

    local index=0
    local path_entry
    local path_entries
    local install_bin_index=0
    local node_index=999
    IFS=':' read -ra path_entries <<< "${PATH}"
    for path_entry in "${path_entries[@]}"; do
      (( index++ ))
      [[ "${path_entry}" =~ ^${node_dir}/?$ ]] && node_index="${index}"
      [[ "${path_entry}" =~ ^${install_bin}/?$ ]] && install_bin_index="${index}"
    done
    if [[ "${node_index}" -lt "${install_bin_index}" ]]; then
      echo_red "There is a version of node installed which will be found in PATH before the n installed version."
    else
      printf "good\n"
    fi
  fi

  # Check npm too. Simpler check than for PATH and node, more like the runtime logging for active/installed node.
  if [[ -z "${N_PRESERVE_NPM}" ]]; then
    printf "\nChecking npm install destination...\n"
    local installed_npm="${N_PREFIX}/bin/npm"
    local active_npm="$(command -v npm)"
    if [[ -e "${active_npm}" && -e "${installed_npm}" && "${active_npm}" != "${installed_npm}" ]]; then
      echo_red "There is an active version of npm shadowing the version installed by n. Check order of entries in PATH."
      log "installed" "${installed_npm}"
      log "active" "${active_npm}"
    else
      printf "good\n"
    fi
  fi

  printf "\nChecking prefix folders...\n"
  if [[ ! -e "${N_PREFIX}" ]]; then
    echo "Folder does not exist: ${N_PREFIX}"
    echo "- This folder will be created when you do an install."
  fi
  if [[ "${N_PREFIX}" != "${N_CACHE_PREFIX}" && ! -e "${N_CACHE_PREFIX}" ]]; then
    echo "Folder does not exist: ${N_CACHE_PREFIX}"
    echo "- This folder will be created when you do an install."
  fi
  if [[ -e "${N_PREFIX}" && -e "${N_CACHE_PREFIX}" ]]; then
    echo "good"
  fi

  if [[ -e "${N_CACHE_PREFIX}" ]]; then
    printf "\nChecking permissions for cache folder...\n"
    # Using knowledge cache path ends in /n/versions in following check.
    if [[ ! -e "${CACHE_DIR}" && (( -e "${N_CACHE_PREFIX}/n" && ! -w "${N_CACHE_PREFIX}/n" ) || ( ! -e "${N_CACHE_PREFIX}/n" && ! -w "${N_CACHE_PREFIX}" )) ]]; then
      echo_red "You do not have write permission to create: ${CACHE_DIR}"
      show_permission_suggestions
      echo "- make a folder you own:"
      echo "      sudo mkdir -p \"${CACHE_DIR}\""
      echo "      sudo chown $(whoami) \"${CACHE_DIR}\""
    elif [[ ! -e "${CACHE_DIR}" ]]; then
      echo "Cache folder does not exist: ${CACHE_DIR}"
      echo "- This is normal if you have not done an install yet, as cache is only created when needed."
    elif [[ ! -w "${CACHE_DIR}" ]]; then
      echo_red "You do not have write permission to: ${CACHE_DIR}"
      show_permission_suggestions
      echo "- change folder ownership to yourself:"
      echo "      sudo chown -R $(whoami) \"${CACHE_DIR}\""
    else
      echo "good"
    fi
  fi

  if [[ -e "${N_PREFIX}" ]]; then
    printf "\nChecking permissions for install folders...\n"
    local install_writeable="true"
    for subdir in bin lib include share; do
      if [[ -e "${N_PREFIX}/${subdir}" && ! -w "${N_PREFIX}/${subdir}" ]]; then
        install_writeable="false"
        echo_red "You do not have write permission to: ${N_PREFIX}/${subdir}"
        break
      fi
      if [[ ! -e "${N_PREFIX}/${subdir}" && ! -w "${N_PREFIX}" ]]; then
        install_writeable="false"
        echo_red "You do not have write permission to create: ${N_PREFIX}/${subdir}"
        break
      fi
    done
    if [[ "${install_writeable}" = "true" ]]; then
      echo "good"
    else
      show_permission_suggestions
      echo "- change folder ownerships to yourself:"
      echo "      cd \"${N_PREFIX}\""
      echo "      sudo mkdir -p bin lib include share"
      echo "      sudo chown -R $(whoami) bin lib include share"
    fi
  fi

  printf "\nChecking mirror is reachable...\n"
  if is_ok "${N_NODE_MIRROR}/"; then
    printf "good\n"
  else
    echo_red "mirror not reachable"
    printf "Showing failing command and output\n"
    if command -v curl &> /dev/null; then
      ( set -x; do_get --head "${N_NODE_MIRROR}/" )
    else
      ( set -x; do_get --spider "${N_NODE_MIRROR}/" )
    printf "\n"
   fi
  fi
}

#
# Handle arguments.
#

# First pass. Process the options so they can come before or after commands,
# particularly for `n lsr --all` and `n install --arch x686`
# which feel pretty natural.

unprocessed_args=()
positional_arg="false"

while [[ $# -ne 0 ]]; do
  case "$1" in
    --all) N_MAX_REMOTE_MATCHES=32000 ;;
    -V|--version) display_n_version ;;
    -h|--help|help) display_help; exit ;;
    -q|--quiet) set_quiet ;;
    -d|--download) DOWNLOAD="true" ;;
    --cleanup) CLEANUP="true" ;;
    --offline) OFFLINE="true" ;;
    --insecure) set_insecure ;;
    -p|--preserve) N_PRESERVE_NPM="true" N_PRESERVE_COREPACK="true" ;;
    --no-preserve) N_PRESERVE_NPM="" N_PRESERVE_COREPACK="" ;;
    --use-xz) N_USE_XZ="true" ;;
    --no-use-xz) N_USE_XZ="false" ;;
    --latest) display_remote_versions latest; exit ;;
    --stable) display_remote_versions lts; exit ;; # [sic] old terminology
    --lts) display_remote_versions lts; exit ;;
    -a|--arch) shift; set_arch "$1";; # set arch and continue
    exec|run|as|use)
      unprocessed_args+=( "$1" )
      positional_arg="true"
      ;;
    *)
      if [[ "${positional_arg}" == "true" ]]; then
        unprocessed_args+=( "$@" )
        break
      fi
      unprocessed_args+=( "$1" )
      ;;
  esac
  shift
done

if [[ -z "${N_USE_XZ+defined}" ]]; then
  N_USE_XZ="true" # Default to using xz
  can_use_xz || N_USE_XZ="false"
fi

set -- "${unprocessed_args[@]}"

if test $# -eq 0; then
  test -z "$(display_versions_paths)" && err_no_installed_print_help
  menu_select_cache_versions
else
  case "$1" in
    bin|which) display_bin_path_for_version "$2"; exit ;;
    run|as|use) shift; run_with_version "$@"; exit ;;
    exec) shift; exec_with_version "$@"; exit ;;
    doctor) show_diagnostics; exit ;;
    rm|-) shift; remove_versions "$@"; exit ;;
    prune) prune_cache; exit ;;
    latest) install latest; exit ;;
    stable) install stable; exit ;;
    lts) install lts; exit ;;
    ls|list) display_versions_paths; exit ;;
    lsr|ls-remote|list-remote) shift; display_remote_versions "$1"; exit ;;
    uninstall) uninstall_installed; exit ;;
    i|install) shift; install "$1"; exit ;;
    download) shift; DOWNLOAD="true"; install "$1"; exit ;;
    N_TEST_DISPLAY_LATEST_RESOLVED_VERSION) shift; get_latest_resolved_version "$1" > /dev/null || exit 2; echo "${g_target_node}"; exit ;;
    *) install "$1"; exit ;;
  esac
fi
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            // Copyright Joyent, Inc. and other Node contributors.
//
// 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.

probe node_net_server_connection = process("node").mark("net__server__connection")
{
  remote = user_string($arg2);
  port = $arg3;
  fd = $arg4;

  probestr = sprintf("%s(remote=%s, port=%d, fd=%d)",
    $$name,
    remote,
    port,
    fd);
}

probe node_net_stream_end = process("node").mark("net__stream__end")
{
  remote = user_string($arg2);
  port = $arg3;
  fd = $arg4;

  probestr = sprintf("%s(remote=%s, port=%d, fd=%d)",
    $$name,
    remote,
    port,
    fd);
}

probe node_http_server_request = process("node").mark("http__server__request")
{
  remote = user_string($arg3);
  port = $arg4;
  method = user_string($arg5);
  url = user_string($arg6);
  fd = $arg7;

  probestr = sprintf("%s(remote=%s, port=%d, method=%s, url=%s, fd=%d)",
    $$name,
    remote,
    port,
    method,
    url,
    fd);
}

probe node_http_server_response = process("node").mark("http__server__response")
{
  remote = user_string($arg2);
  port = $arg3;
  fd = $arg4;

  probestr = sprintf("%s(remote=%s, port=%d, fd=%d)",
    $$name,
    remote,
    port,
    fd);
}

probe node_http_client_request = process("node").mark("http__client__request")
{
  remote = user_string($arg3);
  port = $arg4;
  method = user_string($arg5);
  url = user_string($arg6);
  fd = $arg7;

  probestr = sprintf("%s(remote=%s, port=%d, method=%s, url=%s, fd=%d)",
    $$name,
    remote,
    port,
    method,
    url,
    fd);
}

probe node_http_client_response = process("node").mark("http__client__response")
{
  remote = user_string($arg2);
  port = $arg3;
  fd = $arg4;

  probestr = sprintf("%s(remote=%s, port=%d, fd=%d)",
    $$name,
    remote,
    port,
    fd);
}

probe node_gc_start = process("node").mark("gc__start")
{
  scavenge = 1 << 0;
  compact = 1 << 1;

  if ($arg1 == scavenge)
    type = "kGCTypeScavenge";
  else if ($arg1 == compact)
    type = "kGCTypeMarkSweepCompact";
  else
    type = "kGCTypeAll";

  flags = $arg2;

  probestr = sprintf("%s(type=%s,flags=%d)",
    $$name,
    type,
    flags);
}

probe node_gc_stop = process("node").mark("gc__done")
{
  scavenge = 1 << 0;
  compact = 1 << 1;

  if ($arg1 == scavenge)
    type = "kGCTypeScavenge";
  else if ($arg1 == compact)
    type = "kGCTypeMarkSweepCompact";
  else
    type = "kGCTypeAll";

  flags = $arg2;

  probestr = sprintf("%s(type=%s,flags=%d)",
    $$name,
    type,
    flags);
}
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         # Copyright 2014 the V8 project authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.

# Print tagged object.
define job
call (void) _v8_internal_Print_Object((void*)($arg0))
end
document job
Print a v8 JavaScript object
Usage: job tagged_ptr
end

# Print content of v8::internal::Handle.
define jh
call (void) _v8_internal_Print_Object(*((v8::internal::Object**)($arg0).location_))
end
document jh
Print content of a v8::internal::Handle
Usage: jh internal_handle
end

# Print content of v8::Local handle.
define jlh
call (void) _v8_internal_Print_Object(*((v8::internal::Object**)($arg0).val_))
end
document jlh
Print content of a v8::Local handle
Usage: jlh local_handle
end

# Print Code objects containing given PC.
define jco
  if $argc == 0
    call (void) _v8_internal_Print_Code((void*)($pc))
  else
    call (void) _v8_internal_Print_Code((void*)($arg0))
  end
end
document jco
Print a v8 Code object from an internal code address
Usage: jco pc
end

# Print TransitionTree.
define jtt
call (void) _v8_internal_Print_TransitionTree((void*)($arg0))
end
document jtt
Print the complete transition tree of the given v8 Map.
Usage: jtt tagged_ptr
end

# Print JavaScript stack trace.
define jst
call (void) _v8_internal_Print_StackTrace()
end
document jst
Print the current JavaScript stack trace
Usage: jst
end

# Print TurboFan graph node.
define pn
call _v8_internal_Node_Print((void*)($arg0))
end
document pn
Print a v8 TurboFan graph node
Usage: pn node_address
end

# Skip the JavaScript stack.
define jss
set $js_entry_sp=v8::internal::Isolate::Current()->thread_local_top()->js_entry_sp_
set $rbp=*(void**)$js_entry_sp
set $rsp=$js_entry_sp + 2*sizeof(void*)
set $pc=*(void**)($js_entry_sp+sizeof(void*))
end
document jss
Skip the jitted stack on x64 to where we entered JS last.
Usage: jss
end

# Execute a simulator command.
python
import gdb

class SimCommand(gdb.Command):
  """Sim the current program."""

  def __init__ (self):
    super (SimCommand, self).__init__ ("sim", gdb.COMMAND_SUPPORT)

  def invoke (self, arg, from_tty):
    arg_c_string = gdb.Value(arg)
    cmd_func = gdb.selected_frame().read_var("_v8_internal_Simulator_ExecDebugCommand")
    cmd_func(arg_c_string)

SimCommand()
end

# Print stack trace with assertion scopes.
define bta
python
import re
frame_re = re.compile("^#(\d+)\s*(?:0x[a-f\d]+ in )?(.+) \(.+ at (.+)")
assert_re = re.compile("^\s*(\S+) = .+<v8::internal::Per\w+AssertScope<v8::internal::(\S*), (false|true)>")
btl = gdb.execute("backtrace full", to_string = True).splitlines()
for l in btl:
  match = frame_re.match(l)
  if match:
    print("[%-2s] %-60s %-40s" % (match.group(1), match.group(2), match.group(3)))
  match = assert_re.match(l)
  if match:
    if match.group(3) == "false":
      prefix = "Disallow"
      color = "\033[91m"
    else:
      prefix = "Allow"
      color = "\033[92m"
    print("%s -> %s %s (%s)\033[0m" % (color, prefix, match.group(2), match.group(1)))
end
end
document bta
Print stack trace with assertion scopes
Usage: bta
end

# Search for a pointer inside all valid pages.
define space_find
  set $space = $arg0
  set $current_page = $space->first_page()
  while ($current_page != 0)
    printf "#   Searching in %p - %p\n", $current_page->area_start(), $current_page->area_end()-1
    find $current_page->area_start(), $current_page->area_end()-1, $arg1
    set $current_page = $current_page->next_page()
  end
end

define heap_find
  set $heap = v8::internal::Isolate::Current()->heap()
  printf "# Searching for %p in old_space  ===============================\n", $arg0
  space_find $heap->old_space() ($arg0)
  printf "# Searching for %p in map_space  ===============================\n", $arg0
  space_find $heap->map_space() $arg0
  printf "# Searching for %p in code_space ===============================\n", $arg0
  space_find $heap->code_space() $arg0
end
document heap_find
Find the location of a given address in V8 pages.
Usage: heap_find address
end

# The 'disassembly-flavor' command is only available on i386 and x84_64.
python
try:
  gdb.execute("set disassembly-flavor intel")
except gdb.error:
  pass
end
set disable-randomization off

# Install a handler whenever the debugger stops due to a signal. It walks up the
# stack looking for V8_Dcheck / V8_Fatal / OS::DebugBreak frame and moves the
# frame to the one above it so it's immediately at the line of code that
# triggered the stop condition.
python
def v8_stop_handler(event):
  frame = gdb.selected_frame()
  select_frame = None
  message = None
  count = 0
  # Limit stack scanning since the frames we look for are near the top anyway,
  # and otherwise stack overflows can be very slow.
  while frame is not None and count < 7:
    count += 1
    # If we are in a frame created by gdb (e.g. for `(gdb) call foo()`), gdb
    # emits a dummy frame between its stack and the program's stack. Abort the
    # walk if we see this frame.
    if frame.type() == gdb.DUMMY_FRAME: break

    if frame.name() == 'V8_Dcheck':
      frame_message = gdb.lookup_symbol('message', frame.block())[0]
      if frame_message:
        message = frame_message.value(frame).string()
      select_frame = frame.older()
      break
    if frame.name() is not None and frame.name().startswith('V8_Fatal'):
      select_frame = frame.older()
    if frame.name() == 'v8::base::OS::DebugBreak':
      select_frame = frame.older()
    frame = frame.older()

  if select_frame is not None:
    select_frame.select()
    gdb.execute('frame')
    if message:
      print('DCHECK error: {}'.format(message))

gdb.events.stop.connect(v8_stop_handler)
end

# Code imported from chromium/src/tools/gdb/gdbinit
python

import os
import subprocess
import sys

compile_dirs = set()


def get_current_debug_file_directories():
  dir = gdb.execute("show debug-file-directory", to_string=True)
  dir = dir[
      len('The directory where separate debug symbols are searched for is "'
         ):-len('".') - 1]
  return set(dir.split(":"))


def add_debug_file_directory(dir):
  # gdb has no function to add debug-file-directory, simulates that by using
  # `show debug-file-directory` and `set debug-file-directory <directories>`.
  current_dirs = get_current_debug_file_directories()
  current_dirs.add(dir)
  gdb.execute(
      "set debug-file-directory %s" % ":".join(current_dirs), to_string=True)


def newobj_handler(event):
  global compile_dirs
  compile_dir = os.path.dirname(event.new_objfile.filename)
  if not compile_dir:
    return
  if compile_dir in compile_dirs:
    return
  compile_dirs.add(compile_dir)

  # Add source path
  gdb.execute("dir %s" % compile_dir)

  # Need to tell the location of .dwo files.
  # https://sourceware.org/gdb/onlinedocs/gdb/Separate-Debug-Files.html
  # https://crbug.com/603286#c35
  add_debug_file_directory(compile_dir)

# Event hook for newly loaded objfiles.
# https://sourceware.org/gdb/onlinedocs/gdb/Events-In-Python.html
gdb.events.new_objfile.connect(newobj_handler)

gdb.execute("set environment V8_GDBINIT_SOURCED=1")

end
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     # Copyright 2017 the V8 project authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.

# Load this file by adding this to your ~/.lldbinit:
# command script import <this_dir>/lldb_commands.py

# for py2/py3 compatibility
from __future__ import print_function

import os
import re

import lldb

#####################
# Helper functions. #
#####################
def current_thread(debugger):
  return debugger.GetSelectedTarget().GetProcess().GetSelectedThread()

def current_frame(debugger):
  return current_thread(debugger).GetSelectedFrame()

def no_arg_cmd(debugger, cmd):
  cast_to_void_expr = '(void) {}'.format(cmd)
  evaluate_result = current_frame(debugger).EvaluateExpression(cast_to_void_expr)
  # When a void function is called the return value type is 0x1001 which
  # is specified in http://tiny.cc/bigskz. This does not indicate
  # an error so we check for that value below.
  kNoResult = 0x1001
  error = evaluate_result.GetError()
  if error.fail and error.value != kNoResult:
      print("Failed to evaluate command {} :".format(cmd))
      print(error.description)
  else:
    print("")

def ptr_arg_cmd(debugger, name, param, cmd):
  if not param:
    print("'{}' requires an argument".format(name))
    return
  param = '(void*)({})'.format(param)
  no_arg_cmd(debugger, cmd.format(param))

#####################
# lldb commands.    #
#####################
def job(debugger, param, *args):
  """Print a v8 heap object"""
  ptr_arg_cmd(debugger, 'job', param, "_v8_internal_Print_Object({})")

def jlh(debugger, param, *args):
  """Print v8::Local handle value"""
  ptr_arg_cmd(debugger, 'jlh', param,
              "_v8_internal_Print_Object(*(v8::internal::Object**)({}.val_))")

def jco(debugger, param, *args):
  """Print the code object at the given pc (default: current pc)"""
  if not param:
    param = str(current_frame(debugger).FindRegister("pc").value)
  ptr_arg_cmd(debugger, 'jco', param, "_v8_internal_Print_Code({})")

def jtt(debugger, param, *args):
  """Print the transition tree of a v8 Map"""
  ptr_arg_cmd(debugger, 'jtt', param, "_v8_internal_Print_TransitionTree({})")

def jst(debugger, *args):
  """Print the current JavaScript stack trace"""
  no_arg_cmd(debugger, "_v8_internal_Print_StackTrace()")

def jss(debugger, *args):
  """Skip the jitted stack on x64 to where we entered JS last"""
  frame = current_frame(debugger)
  js_entry_sp = frame.EvaluateExpression(
      "v8::internal::Isolate::Current()->thread_local_top()->js_entry_sp_;") \
       .GetValue()
  sizeof_void = frame.EvaluateExpression("sizeof(void*)").GetValue()
  rbp = frame.FindRegister("rbp")
  rsp = frame.FindRegister("rsp")
  pc = frame.FindRegister("pc")
  rbp = js_entry_sp
  rsp = js_entry_sp + 2 *sizeof_void
  pc.value = js_entry_sp + sizeof_void

def bta(debugger, *args):
  """Print stack trace with assertion scopes"""
  func_name_re = re.compile("([^(<]+)(?:\(.+\))?")
  assert_re = re.compile(
      "^v8::internal::Per\w+AssertType::(\w+)_ASSERT, (false|true)>")
  thread = current_thread(debugger)
  for frame in thread:
    functionSignature = frame.GetDisplayFunctionName()
    if functionSignature is None:
      continue
    functionName = func_name_re.match(functionSignature)
    line = frame.GetLineEntry().GetLine()
    sourceFile = frame.GetLineEntry().GetFileSpec().GetFilename()
    if line:
      sourceFile = sourceFile + ":" + str(line)

    if sourceFile is None:
      sourceFile = ""
    print("[%-2s] %-60s %-40s" % (frame.GetFrameID(),
                                  functionName.group(1),
                                  sourceFile))
    match = assert_re.match(str(functionSignature))
    if match:
      if match.group(3) == "false":
        prefix = "Disallow"
        color = "\033[91m"
      else:
        prefix = "Allow"
        color = "\033[92m"
      print("%s -> %s %s (%s)\033[0m" % (
          color, prefix, match.group(2), match.group(1)))

def setup_source_map_for_relative_paths(debugger):
  # Copied from Chromium's tools/lldb/lldbinit.py.
  # When relative paths are used for debug symbols, lldb cannot find source
  # files. Set up a source map to point to V8's root.
  this_dir = os.path.dirname(os.path.abspath(__file__))
  source_dir = os.path.join(this_dir, os.pardir)

  debugger.HandleCommand(
    'settings set target.source-map ../.. ' + source_dir)


def __lldb_init_module(debugger, dict):
  setup_source_map_for_relative_paths(debugger)
  debugger.HandleCommand('settings set target.x86-disassembly-flavor intel')
  for cmd in ('job', 'jlh', 'jco', 'jld', 'jtt', 'jst', 'jss', 'bta'):
    debugger.HandleCommand(
      'command script add -f lldb_commands.{} {}'.format(cmd, cmd))
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               .\"
.\" This manpage is written in mdoc(7).
.\"
.\" * Language reference:
.\"   https://man.openbsd.org/mdoc.7
.\"
.\" * Atom editor support:
.\"   https://atom.io/packages/language-roff
.\"
.\" * Linting changes:
.\"   mandoc -Wall -Tlint /path/to/this.file  # BSD
.\"   groff -w all -z /path/to/this.file      # GNU/Linux, macOS
.\"
.\"
.\" Before making changes, please note the following:
.\"
.\" * In Roff, each new sentence should begin on a new line. This gives
.\"   the Roff formatter better control over text-spacing, line-wrapping,
.\"   and paragraph justification.
.\"
.\" * Do not leave blank lines in the markup. If whitespace is desired
.\"   for readability, put a dot in the first column to indicate a null/empty
.\"   command. Comments and horizontal whitespace may optionally follow: each
.\"   of these lines are an example of a null command immediately followed by
.\"   a comment.
.\"
.\"======================================================================
.
.tr -\-^\(ha~\(ti`\(ga
.Dd 2018
.Dt NODE 1
.
.Sh NAME
.Nm node
.Nd server-side JavaScript runtime
.
.\"======================================================================
.Sh SYNOPSIS
.Nm node
.Op Ar options
.Op Ar v8-options
.Op Fl e Ar string | Ar script.js | Fl
.Op Fl -
.Op Ar arguments ...
.
.Nm node
.Cm inspect
.Op Fl e Ar string | Ar script.js | Fl | Ar <host>:<port>
.Ar ...
.
.Nm node
.Op Fl -v8-options
.
.\"======================================================================
.Sh DESCRIPTION
Node.js is a set of libraries for JavaScript which allows it to be used outside of the browser.
It is primarily focused on creating simple, easy-to-build network clients and servers.
.Pp
Execute
.Nm
without arguments to start a REPL.
.
.Sh OPTIONS
.Bl -tag -width 6n
.It Sy -
Alias for stdin, analogous to the use of - in other command-line utilities.
The executed script is read from stdin, and remaining arguments are passed to the script.
.
.It Fl -
Indicate the end of command-line options.
Pass the rest of the arguments to the script.
.Pp
If no script filename or eval/print script is supplied prior to this, then
the next argument will be used as a script filename.
.
.It Fl -abort-on-uncaught-exception
Aborting instead of exiting causes a core file to be generated for analysis.
.
.It Fl -completion-bash
Print source-able bash completion script for Node.js.
.
.It Fl C , Fl -conditions Ar string
Use custom conditional exports conditions.
.Ar string
.
.It Fl -cpu-prof
Start the V8 CPU profiler on start up, and write the CPU profile to disk
before exit. If
.Fl -cpu-prof-dir
is not specified, the profile will be written to the current working directory
with a generated file name.
.
.It Fl -cpu-prof-dir
The directory where the CPU profiles generated by
.Fl -cpu-prof
will be placed.
The default value is controlled by the
.Fl -diagnostic-dir .
command-line option.
.
.It Fl -cpu-prof-interval
The sampling interval in microseconds for the CPU profiles generated by
.Fl -cpu-prof .
The default is
.Sy 1000 .
.
.It Fl -cpu-prof-name
File name of the V8 CPU profile generated with
.Fl -cpu-prof .
.
.It Fl -diagnostic-dir
Set the directory for all diagnostic output files.
Default is current working directory.
Set the directory to which all diagnostic output files will be written to.
Defaults to current working directory.
.
Affects the default output directory of:
.Fl -cpu-prof-dir .
.Fl -heap-prof-dir .
.Fl -redirect-warnings .
.
.It Fl -disable-proto Ns = Ns Ar mode
Disable the `Object.prototype.__proto__` property. If
.Ar mode
is `delete`, the property will be removed entirely. If
.Ar mode
is `throw`, accesses to the property will throw an exception with the code
`ERR_PROTO_ACCESS`.
.
.It Fl -disallow-code-generation-from-strings
Make built-in language features like `eval` and `new Function` that generate
code from strings throw an exception instead. This does not affect the Node.js
`vm` module.
.
.It Fl -enable-fips
Enable FIPS-compliant crypto at startup.
Requires Node.js to be built with
.Sy ./configure --openssl-fips .
.
.It Fl -enable-source-maps
Enable Source Map V3 support for stack traces.
.
.It Fl -experimental-default-type Ns = Ns Ar type
Interpret as either ES modules or CommonJS modules input via --eval or STDIN, when --input-type is unspecified;
.js or extensionless files with no sibling or parent package.json;
.js or extensionless files whose nearest parent package.json lacks a "type" field, unless under node_modules.
.
.It Fl -experimental-global-customevent
Expose the CustomEvent on the global scope.
.
.It Fl -experimental-global-webcrypto
Expose the Web Crypto API on the global scope.
.
.It Fl -experimental-import-meta-resolve
Enable experimental ES modules support for import.meta.resolve().
.
.It Fl -experimental-loader Ns = Ns Ar module
Specify the
.Ar module
to use as a custom module loader.
.
.It Fl -experimental-network-imports
Enable experimental support for loading modules using `import` over `https:`.
.
.It Fl -experimental-policy
Use the specified file as a security policy.
.
.It Fl -experimental-shadow-realm
Use this flag to enable ShadowRealm support.
.
.It Fl -experimental-test-coverage
Enable code coverage in the test runner.
.
.It Fl -no-experimental-fetch
Disable experimental support for the Fetch API.
.
.It Fl -no-experimental-repl-await
Disable top-level await keyword support in REPL.
.
.It Fl -experimental-specifier-resolution
Select extension resolution algorithm for ES Modules; either 'explicit' (default) or 'node'.
.
.It Fl -experimental-vm-modules
Enable experimental ES module support in VM module.
.
.It Fl -experimental-wasi-unstable-preview1
Enable experimental WebAssembly System Interface support. This
flag is no longer required as WASI is enabled by default.
.
.It Fl -experimental-wasm-modules
Enable experimental WebAssembly module support.
.
.It Fl -force-context-aware
Disable loading native addons that are not context-aware.
.
.It Fl -force-fips
Force FIPS-compliant crypto on startup
(Cannot be disabled from script code).
Same requirements as
.Fl -enable-fips .
.
.It Fl -frozen-intrinsics
Enable experimental frozen intrinsics support.
.
.It Fl -heapsnapshot-near-heap-limit Ns = Ns Ar max_count
Generate heap snapshot when the V8 heap usage is approaching the heap limit.
No more than the specified number of snapshots will be generated.
.
.It Fl -heapsnapshot-signal Ns = Ns Ar signal
Generate heap snapshot on specified signal.
.
.It Fl -heap-prof
Start the V8 heap profiler on start up, and write the heap profile to disk
before exit. If
.Fl -heap-prof-dir
is not specified, the profile will be written to the current working directory
with a generated file name.
.
.It Fl -heap-prof-dir
The directory where the heap profiles generated by
.Fl -heap-prof
will be placed.
The default value is controlled by the
.Fl -diagnostic-dir .
command-line option.
.
.It Fl -heap-prof-interval
The average sampling interval in bytes for the heap profiles generated by
.Fl -heap-prof .
The default is
.Sy 512 * 1024 .
.
.It Fl -heap-prof-name
File name of the V8 heap profile generated with
.Fl -heap-prof .
.
.It Fl -icu-data-dir Ns = Ns Ar file
Specify ICU data load path.
Overrides
.Ev NODE_ICU_DATA .
.
.It Fl -input-type Ns = Ns Ar type
Set the module resolution type for input via --eval, --print or STDIN.
.
.It Fl -inspect-brk Ns = Ns Ar [host:]port
Activate inspector on
.Ar host:port
and break at start of user script.
.
.It Fl -inspect-port Ns = Ns Ar [host:]port
Set the
.Ar host:port
to be used when the inspector is activated.
.
.It Fl -inspect-publish-uid=stderr,http
Specify how the inspector WebSocket URL is exposed.
Valid values are
.Sy stderr
and
.Sy http .
Default is
.Sy stderr,http .
.
.It Fl -inspect Ns = Ns Ar [host:]port
Activate inspector on
.Ar host:port .
Default is
.Sy 127.0.0.1:9229 .
.Pp
V8 Inspector integration allows attaching Chrome DevTools and IDEs to Node.js instances for debugging and profiling.
It uses the Chrome DevTools Protocol.
.
.It Fl -insecure-http-parser
Use an insecure HTTP parser that accepts invalid HTTP headers. This may allow
interoperability with non-conformant HTTP implementations. It may also allow
request smuggling and other HTTP attacks that rely on invalid headers being
accepted. Avoid using this option.
.
.It Fl -jitless
Disable runtime allocation of executable memory. This may be required on
some platforms for security reasons. It can also reduce attack surface on
other platforms, but the performance impact may be severe.
.
.Pp
This flag is inherited from V8 and is subject to change upstream. It may
disappear in a non-semver-major release.
.
.It Fl -max-http-header-size Ns = Ns Ar size
Specify the maximum size of HTTP headers in bytes. Defaults to 16 KiB.
.
.It Fl -napi-modules
This option is a no-op.
It is kept for compatibility.
.
.It Fl -no-deprecation
Silence deprecation warnings.
.
.It Fl -no-extra-info-on-fatal-exception
Hide extra information on fatal exception that causes exit.
.
.It Fl -no-force-async-hooks-checks
Disable runtime checks for `async_hooks`.
These will still be enabled dynamically when `async_hooks` is enabled.
.
.It Fl -no-addons
Disable the `node-addons` exports condition as well as disable loading native
addons. When `--no-addons` is specified, calling `process.dlopen` or requiring
a native C++ addon will fail and throw an exception.
.
.It Fl -no-global-search-paths
Do not search modules from global paths.
.
.It Fl -no-warnings
Silence all process warnings (including deprecations).
.
.It Fl -node-memory-debug
Enable extra debug checks for memory leaks in Node.js internals. This is
usually only useful for developers debugging Node.js itself.
.
.It Fl -openssl-config Ns = Ns Ar file
Load an OpenSSL configuration file on startup.
Among other uses, this can be used to enable FIPS-compliant crypto if Node.js is built with
.Sy ./configure --openssl-fips .
.
.It Fl -pending-deprecation
Emit pending deprecation warnings.
.
.It Fl -policy-integrity Ns = Ns Ar sri
Instructs Node.js to error prior to running any code if the policy does not have the specified integrity. It expects a Subresource Integrity string as a parameter.
.
.It Fl -preserve-symlinks
Instructs the module loader to preserve symbolic links when resolving and caching modules other than the main module.
.
.It Fl -preserve-symlinks-main
Instructs the module loader to preserve symbolic links when resolving and caching the main module.
.
.It Fl -prof
Generate V8 profiler output.
.
.It Fl -prof-process
Process V8 profiler output generated using the V8 option
.Fl -prof .
.
.It Fl -redirect-warnings Ns = Ns Ar file
Write process warnings to the given
.Ar file
instead of printing to stderr.
.
.It Fl -report-compact
Write
.Sy diagnostic reports
in a compact format, single-line JSON.
.
.It Fl -report-dir Fl -report-directory
Location at which the
.Sy diagnostic report
will be generated.
The `file` name may be an absolute path. If it is not, the default directory it will
be written to is controlled by the
.Fl -diagnostic-dir .
command-line option.
.
.It Fl -report-filename
Name of the file to which the
.Sy diagnostic report
will be written.
.
.It Fl -report-on-fatalerror
Enables the
.Sy diagnostic report
to be triggered on fatal errors (internal errors within the Node.js runtime such
as out of memory) that leads to termination of the application. Useful to
inspect various diagnostic data elements such as heap, stack, event loop state,
resource consumption etc. to reason about the fatal error.
.
.It Fl -report-on-signal
Enables
.Sy diagnostic report
to be generated upon receiving the specified (or predefined) signal to the
running Node.js process. Default signal is SIGUSR2.
.
.It Fl -report-signal
Sets or resets the signal for
.Sy diagnostic report
generation (not supported on Windows). Default signal is SIGUSR2.
.
.It Fl -report-uncaught-exception
Enables
.Sy diagnostic report
to be generated on un-caught exceptions. Useful when inspecting JavaScript
stack in conjunction with native stack and other runtime environment data.
.
.It Fl -secure-heap Ns = Ns Ar n
Specify the size of the OpenSSL secure heap. Any value less than 2 disables
the secure heap. The default is 0. The value must be a power of two.
.
.It Fl -secure-heap-min Ns = Ns Ar n
Specify the minimum allocation from the OpenSSL secure heap. The default is 2. The value must be a power of two.
.
.It Fl -test
Starts the Node.js command line test runner.
.
.It Fl -test-concurrency
The maximum number of test files that the test runner CLI will execute
concurrently.
.
.It Fl -test-name-pattern
A regular expression that configures the test runner to only execute tests
whose name matches the provided pattern.
.
.It Fl -test-reporter
A test reporter to use when running tests.
.
.It Fl -test-reporter-destination
The destination for the corresponding test reporter.
.
.It Fl -test-only
Configures the test runner to only execute top level tests that have the `only`
option set.
.
.It Fl -test-shard
Test suite shard to execute in a format of <index>/<total>.
.
.It Fl -throw-deprecation
Throw errors for deprecations.
.
.It Fl -title Ns = Ns Ar title
Specify process.title on startup.
.
.It Fl -tls-cipher-list Ns = Ns Ar list
Specify an alternative default TLS cipher list.
Requires Node.js to be built with crypto support. (Default)
.
.It Fl -tls-keylog Ns = Ns Ar file
Log TLS key material to a file. The key material is in NSS SSLKEYLOGFILE
format and can be used by software (such as Wireshark) to decrypt the TLS
traffic.
.
.It Fl -tls-max-v1.2
Set default  maxVersion to 'TLSv1.2'. Use to disable support for TLSv1.3.
.
.It Fl -tls-max-v1.3
Set default  maxVersion to 'TLSv1.3'. Use to enable support for TLSv1.3.
.
.It Fl -tls-min-v1.0
Set default minVersion to 'TLSv1'. Use for compatibility with old TLS clients
or servers.
.
.It Fl -tls-min-v1.1
Set default minVersion to 'TLSv1.1'. Use for compatibility with old TLS clients
or servers.
.
.It Fl -tls-min-v1.2
Set default minVersion to 'TLSv1.2'. This is the default for 12.x and later,
but the option is supported for compatibility with older Node.js versions.
.
.It Fl -tls-min-v1.3
Set default minVersion to 'TLSv1.3'. Use to disable support for TLSv1.2 in
favour of TLSv1.3, which is more secure.
.
.It Fl -trace-atomics-wait
Print short summaries of calls to
.Sy Atomics.wait() .
.
This flag is deprecated.
.It Fl -trace-deprecation
Print stack traces for deprecations.
.
.It Fl -trace-event-categories Ar categories
A comma-separated list of categories that should be traced when trace event tracing is enabled using
.Fl -trace-events-enabled .
.
.It Fl -trace-event-file-pattern Ar pattern
Template string specifying the filepath for the trace event data, it
supports
.Sy ${rotation}
and
.Sy ${pid} .
.
.It Fl -trace-events-enabled
Enable the collection of trace event tracing information.
.
.It Fl -trace-exit
Prints a stack trace whenever an environment is exited proactively,
i.e. invoking `process.exit()`.
.It Fl -trace-sigint
Prints a stack trace on SIGINT.
.
.It Fl -trace-sync-io
Print a stack trace whenever synchronous I/O is detected after the first turn of the event loop.
.
.It Fl -trace-tls
Prints TLS packet trace information to stderr.
.
.It Fl -trace-uncaught
Print stack traces for uncaught exceptions; usually, the stack trace associated
with the creation of an
.Sy Error
is printed, whereas this makes Node.js also
print the stack trace associated with throwing the value (which does not need
to be an
.Sy Error
instance).
.Pp
Enabling this option may affect garbage collection behavior negatively.
.
.It Fl -trace-warnings
Print stack traces for process warnings (including deprecations).
.
.It Fl -track-heap-objects
Track heap object allocations for heap snapshots.
.
.It Fl -unhandled-rejections=mode
Define the behavior for unhandled rejections. Can be one of `strict` (raise an error), `warn` (enforce warnings) or `none` (silence warnings).
.
.It Fl -use-bundled-ca , Fl -use-openssl-ca
Use bundled Mozilla CA store as supplied by current Node.js version or use OpenSSL's default CA store.
The default store is selectable at build-time.
.Pp
The bundled CA store, as supplied by Node.js, is a snapshot of Mozilla CA store that is fixed at release time.
It is identical on all supported platforms.
.Pp
Using OpenSSL store allows for external modifications of the store.
For most Linux and BSD distributions, this store is maintained by the distribution maintainers and system administrators.
OpenSSL CA store location is dependent on configuration of the OpenSSL library but this can be altered at runtime using environment variables.
.Pp
See
.Ev SSL_CERT_DIR
and
.Ev SSL_CERT_FILE .
.
.It Fl -use-largepages Ns = Ns Ar mode
Re-map the Node.js static code to large memory pages at startup. If supported on
the target system, this will cause the Node.js static code to be moved onto 2
MiB pages instead of 4 KiB pages.
.Pp
.Ar mode
must have one of the following values:
`off` (the default value, meaning do not map), `on` (map and ignore failure,
reporting it to stderr), or `silent` (map and silently ignore failure).
.
.It Fl -v8-options
Print V8 command-line options.
.
.It Fl -v8-pool-size Ns = Ns Ar num
Set V8's thread pool size which will be used to allocate background jobs.
If set to 0 then V8 will choose an appropriate size of the thread pool based on the number of online processors.
If the value provided is larger than V8's maximum, then the largest value will be chosen.
.
.It Fl -zero-fill-buffers
Automatically zero-fills all newly allocated Buffer and SlowBuffer instances.
.
.It Fl c , Fl -check
Check the script's syntax without executing it.
Exits with an error code if script is invalid.
.
.It Fl e , Fl -eval Ar string
Evaluate
.Ar string
as JavaScript.
.
.It Fl h , Fl -help
Print command-line options.
The output of this option is less detailed than this document.
.
.It Fl i , Fl -interactive
Open the REPL even if stdin does not appear to be a terminal.
.
.It Fl p , Fl -print Ar string
Identical to
.Fl e ,
but prints the result.
.
.It Fl r , Fl -require Ar module
Preload the specified
.Ar module
at startup.
Follows `require()`'s module resolution rules.
.Ar module
may be either a path to a file, or a Node.js module name.
.
.It Fl v , Fl -version
Print node's version.
.El
.
.\" =====================================================================
.Sh ENVIRONMENT
.Bl -tag -width 6n
.It Ev FORCE_COLOR
Used to enable ANSI colorized output. The value may be one of:
.Ar 1
,
.Ar true
, or
.Ar an empty string
to
indicate 16-color support,
.Ar 2
to indicate 256-color support, or
.Ar 3
to indicate 16 million-color support. When used and set to a supported
value, both the NO_COLOR and NODE_DISABLE_COLORS environment variables
are ignored. Any other value will result in colorized output being
disabled.
.
.It Ev NO_COLOR
Alias for NODE_DISABLE_COLORS
.
.It Ev NODE_DEBUG Ar modules...
Comma-separated list of core modules that should print debug information.
.
.It Ev NODE_DEBUG_NATIVE Ar modules...
Comma-separated list of C++ core modules that should print debug information.
.
.It Ev NODE_DISABLE_COLORS
When set to
.Ar 1 ,
colors will not be used in the REPL.
.
.It Ev NODE_EXTRA_CA_CERTS Ar file
When set, the well-known
.Dq root
CAs (like VeriSign) will be extended with the extra certificates in
.Ar file .
The file should consist of one or more trusted certificates in PEM format.
.Pp
If
.Ar file
is missing or misformatted, a message will be emitted once using
.Sy process.emitWarning() ,
but any errors are otherwise ignored.
.Pp
This environment variable is ignored when `node` runs as setuid root or
has Linux file capabilities set.
.Pp
The
.Ar NODE_EXTRA_CA_CERTS
environment variable is only read when the Node.js process is first launched.
Changing the value at runtime using
.Ar process.env.NODE_EXTRA_CA_CERTS
has no effect on the current process.
.
.It Ev NODE_ICU_DATA Ar file
Data path for ICU (Intl object) data.
Will extend linked-in data when compiled with small-icu support.
.
.It Ev NODE_NO_WARNINGS
When set to
.Ar 1 ,
process warnings are silenced.
.
.It Ev NODE_OPTIONS Ar options...
A space-separated list of command-line
.Ar options ,
which are interpreted as if they had been specified on the command line before the actual command (so they can be overridden).
Node.js will exit with an error if an option that is not allowed in the environment is used, such as
.Fl -print
or a script file.
.
.It Ev NODE_PATH Ar directories...
A colon-separated list of
.Ar directories
prefixed to the module search path.
.
.It Ev NODE_PENDING_DEPRECATION
When set to
.Ar 1 ,
emit pending deprecation warnings.
.
.It Ev NODE_PRESERVE_SYMLINKS
When set to
.Ar 1 ,
the module loader preserves symbolic links when resolving and caching modules.
.
.It Ev NODE_REDIRECT_WARNINGS Ar file
Write process warnings to the given
.Ar file
instead of printing to stderr.
Equivalent to passing
.Fl -redirect-warnings Ar file
on the command line.
.
.It Ev NODE_REPL_HISTORY Ar file
Path to the
.Ar file
used to store persistent REPL history.
The default path is
.Sy ~/.node_repl_history ,
which is overridden by this variable.
Setting the value to an empty string ("" or " ") will disable persistent REPL history.
.
.It Ev NODE_REPL_EXTERNAL_MODULE Ar file
Path to a Node.js module which will be loaded in place of the built-in REPL.
Overriding this value to an empty string (`''`) will use the built-in REPL.
.
.It Ev NODE_SKIP_PLATFORM_CHECK
When set to
.Ar 1 ,
the check for a supported platform is skipped during Node.js startup.
Node.js might not execute correctly.
Any issues encountered on unsupported platforms will not be fixed.
.
.It Ev NODE_TLS_REJECT_UNAUTHORIZED
When set to
.Ar 0 ,
TLS certificate validation is disabled.
.
.It Ev NODE_V8_COVERAGE Ar dir
When set, Node.js writes JavaScript code coverage information to
.Ar dir .
.
.It Ev OPENSSL_CONF Ar file
Load an OpenSSL configuration file on startup.
Among other uses, this can be used to enable FIPS-compliant crypto if Node.js is built with
.Sy ./configure --openssl-fips .
.Pp
If the
.Fl -openssl-config
command-line option is used, this environment variable is ignored.
.
.It Ev SSL_CERT_DIR Ar dir
If
.Fl -use-openssl-ca
is enabled, this overrides and sets OpenSSL's directory containing trusted certificates.
.
.It Ev SSL_CERT_FILE Ar file
If
.Fl -use-openssl-ca
is enabled, this overrides and sets OpenSSL's file containing trusted certificates.
.
.It Ev TZ
Specify the timezone configuration.
.
.It Ev UV_THREADPOOL_SIZE Ar size
Sets the number of threads used in libuv's threadpool to
.Ar size .
.
.El
.\"=====================================================================
.Sh BUGS
Bugs are tracked in GitHub Issues:
.Sy https://github.com/nodejs/node/issues
.
.\"======================================================================
.Sh COPYRIGHT
Copyright Node.js contributors.
Node.js is available under the MIT license.
.
.Pp
Node.js also includes external libraries that are available under a variety of licenses.
See
.Sy https://github.com/nodejs/node/blob/HEAD/LICENSE
for the full license text.
.
.\"======================================================================
.Sh SEE ALSO
Website:
.Sy https://nodejs.org/
.
.Pp
Documentation:
.Sy https://nodejs.org/api/
.
.Pp
GitHub repository and issue tracker:
.Sy https://github.com/nodejs/node
.
.Pp
IRC (general questions):
.Sy "libera.chat #node.js"
(unofficial)
.
.\"======================================================================
.Sh AUTHORS
Written and maintained by 1000+ contributors:
.Sy https://github.com/nodejs/node/blob/HEAD/AUTHORS
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       The npm application
Copyright (c) npm, Inc. and Contributors
Licensed on the terms of The Artistic License 2.0

Node package dependencies of the npm application
Copyright (c) their respective copyright owners
Licensed on their respective license terms

The npm public registry at https://registry.npmjs.org
and the npm website at https://www.npmjs.com
Operated by npm, Inc.
Use governed by terms published on https://www.npmjs.com

"Node.js"
Trademark Joyent, Inc., https://joyent.com
Neither npm nor npm, Inc. are affiliated with Joyent, Inc.

The Node.js application
Project of Node Foundation, https://nodejs.org

The npm Logo
Copyright (c) Mathias Pettersson and Brian Hammond

"Gubblebum Blocky" typeface
Copyright (c) Tjarda Koster, https://jelloween.deviantart.com
Used with permission


--------


The Artistic License 2.0

Copyright (c) 2000-2006, The Perl Foundation.

Everyone is permitted to copy and distribute verbatim copies
of this license document, but changing it is not allowed.

Preamble

This license establishes the terms under which a given free software
Package may be copied, modified, distributed, and/or redistributed.
The intent is that the Copyright Holder maintains some artistic
control over the development of that Package while still keeping the
Package available as open source and free software.

You are always permitted to make arrangements wholly outside of this
license directly with the Copyright Holder of a given Package.  If the
terms of this license do not permit the full use that you propose to
make of the Package, you should contact the Copyright Holder and seek
a different licensing arrangement.

Definitions

    "Copyright Holder" means the individual(s) or organization(s)
    named in the copyright notice for the entire Package.

    "Contributor" means any party that has contributed code or other
    material to the Package, in accordance with the Copyright Holder's
    procedures.

    "You" and "your" means any person who would like to copy,
    distribute, or modify the Package.

    "Package" means the collection of files distributed by the
    Copyright Holder, and derivatives of that collection and/or of
    those files. A given Package may consist of either the Standard
    Version, or a Modified Version.

    "Distribute" means providing a copy of the Package or making it
    accessible to anyone else, or in the case of a company or
    organization, to others outside of your company or organization.

    "Distributor Fee" means any fee that you charge for Distributing
    this Package or providing support for this Package to another
    party.  It does not mean licensing fees.

    "Standard Version" refers to the Package if it has not been
    modified, or has been modified only in ways explicitly requested
    by the Copyright Holder.

    "Modified Version" means the Package, if it has been changed, and
    such changes were not explicitly requested by the Copyright
    Holder.

    "Original License" means this Artistic License as Distributed with
    the Standard Version of the Package, in its current version or as
    it may be modified by The Perl Foundation in the future.

    "Source" form means the source code, documentation source, and
    configuration files for the Package.

    "Compiled" form means the compiled bytecode, object code, binary,
    or any other form resulting from mechanical transformation or
    translation of the Source form.


Permission for Use and Modification Without Distribution

(1)  You are permitted to use the Standard Version and create and use
Modified Versions for any purpose without restriction, provided that
you do not Distribute the Modified Version.


Permissions for Redistribution of the Standard Version

(2)  You may Distribute verbatim copies of the Source form of the
Standard Version of this Package in any medium without restriction,
either gratis or for a Distributor Fee, provided that you duplicate
all of the original copyright notices and associated disclaimers.  At
your discretion, such verbatim copies may or may not include a
Compiled form of the Package.

(3)  You may apply any bug fixes, portability changes, and other
modifications made available from the Copyright Holder.  The resulting
Package will still be considered the Standard Version, and as such
will be subject to the Original License.


Distribution of Modified Versions of the Package as Source

(4)  You may Distribute your Modified Version as Source (either gratis
or for a Distributor Fee, and with or without a Compiled form of the
Modified Version) provided that you clearly document how it differs
from the Standard Version, including, but not limited to, documenting
any non-standard features, executables, or modules, and provided that
you do at least ONE of the following:

    (a)  make the Modified Version available to the Copyright Holder
    of the Standard Version, under the Original License, so that the
    Copyright Holder may include your modifications in the Standard
    Version.

    (b)  ensure that installation of your Modified Version does not
    prevent the user installing or running the Standard Version. In
    addition, the Modified Version must bear a name that is different
    from the name of the Standard Version.

    (c)  allow anyone who receives a copy of the Modified Version to
    make the Source form of the Modified Version available to others
    under

        (i)  the Original License or

        (ii)  a license that permits the licensee to freely copy,
        modify and redistribute the Modified Version using the same
        licensing terms that apply to the copy that the licensee
        received, and requires that the Source form of the Modified
        Version, and of any works derived from it, be made freely
        available in that license fees are prohibited but Distributor
        Fees are allowed.


Distribution of Compiled Forms of the Standard Version
or Modified Versions without the Source

(5)  You may Distribute Compiled forms of the Standard Version without
the Source, provided that you include complete instructions on how to
get the Source of the Standard Version.  Such instructions must be
valid at the time of your distribution.  If these instructions, at any
time while you are carrying out such distribution, become invalid, you
must provide new instructions on demand or cease further distribution.
If you provide valid instructions or cease distribution within thirty
days after you become aware that the instructions are invalid, then
you do not forfeit any of your rights under this license.

(6)  You may Distribute a Modified Version in Compiled form without
the Source, provided that you comply with Section 4 with respect to
the Source of the Modified Version.


Aggregating or Linking the Package

(7)  You may aggregate the Package (either the Standard Version or
Modified Version) with other packages and Distribute the resulting
aggregation provided that you do not charge a licensing fee for the
Package.  Distributor Fees are permitted, and licensing fees for other
components in the aggregation are permitted. The terms of this license
apply to the use and Distribution of the Standard or Modified Versions
as included in the aggregation.

(8) You are permitted to link Modified and Standard Versions with
other works, to embed the Package in a larger work of your own, or to
build stand-alone binary or bytecode versions of applications that
include the Package, and Distribute the result without restriction,
provided the result does not expose a direct interface to the Package.


Items That are Not Considered Part of a Modified Version

(9) Works (including, but not limited to, modules and scripts) that
merely extend or make use of the Package, do not, by themselves, cause
the Package to be a Modified Version.  In addition, such works are not
considered parts of the Package itself, and are not subject to the
terms of this license.


General Provisions

(10)  Any use, modification, and distribution of the Standard or
Modified Versions is governed by this Artistic License. By using,
modifying or distributing the Package, you accept this license. Do not
use, modify, or distribute the Package, if you do not accept this
license.

(11)  If your Modified Version has been derived from a Modified
Version made by someone other than you, you are nevertheless required
to ensure that your Modified Version complies with the requirements of
this license.

(12)  This license does not grant you the right to use any trademark,
service mark, tradename, or logo of the Copyright Holder.

(13)  This license includes the non-exclusive, worldwide,
free-of-charge patent license to make, have made, use, offer to sell,
sell, import and otherwise transfer the Package with respect to any
patent claims licensable by the Copyright Holder that are necessarily
infringed by the Package. If you institute patent litigation
(including a cross-claim or counterclaim) against any party alleging
that the Package constitutes direct or contributory patent
infringement, then this Artistic License to you shall terminate on the
date that such litigation is filed.

(14)  Disclaimer of Warranty:
THE PACKAGE IS PROVIDED BY THE COPYRIGHT HOLDER AND CONTRIBUTORS "AS
IS' AND WITHOUT ANY EXPRESS OR IMPLIED WARRANTIES. THE IMPLIED
WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, OR
NON-INFRINGEMENT ARE DISCLAIMED TO THE EXTENT PERMITTED BY YOUR LOCAL
LAW. UNLESS REQUIRED BY LAW, NO COPYRIGHT HOLDER OR CONTRIBUTOR WILL
BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
DAMAGES ARISING IN ANY WAY OUT OF THE USE OF THE PACKAGE, EVEN IF
ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.


--------
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  if (require.main === module) {
  require('./lib/cli.js')(process)
} else {
  throw new Error('The programmatic API was removed in npm v8.0.0')
}
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               # npm - a JavaScript package manager

[![npm version](https://img.shields.io/npm/v/npm.svg)](https://npm.im/npm)
[![license](https://img.shields.io/npm/l/npm.svg)](https://npm.im/npm)
[![CI - cli](https://github.com/npm/cli/actions/workflows/ci.yml/badge.svg)](https://github.com/npm/cli/actions/workflows/ci.yml)
[![Benchmark Suite](https://github.com/npm/cli/actions/workflows/benchmark.yml/badge.svg)](https://github.com/npm/cli/actions/workflows/benchmark.yml)

### Requirements

One of the following versions of [Node.js](https://nodejs.org/en/download/) must be installed to run **`npm`**:

* `18.x.x` >= `18.17.0`
* `20.5.0` or higher

### Installation

**`npm`** comes bundled with [**`node`**](https://nodejs.org/), & most third-party distributions, by default. Officially supported downloads/distributions can be found at: [nodejs.org/en/download](https://nodejs.org/en/download)

#### Direct Download

You can download & install **`npm`** directly from [**npmjs**.com](https://npmjs.com/) using our custom `install.sh` script:

```bash
curl -qL https://www.npmjs.com/install.sh | sh
```

#### Node Version Managers

If you're looking to manage multiple versions of **`Node.js`** &/or **`npm`**, consider using a [node version manager](https://github.com/search?q=node+version+manager+archived%3Afalse&type=repositories&ref=advsearch)

### Usage

```bash
npm <command>
```

### Links & Resources

* [**Documentation**](https://docs.npmjs.com/) - Official docs & how-tos for all things **npm**
    * Note: you can also search docs locally with `npm help-search <query>`
* [**Bug Tracker**](https://github.com/npm/cli/issues) - Search or submit bugs against the CLI
* [**Roadmap**](https://github.com/orgs/github/projects/4247/views/1?filterQuery=npm) - Track & follow along with our public roadmap
* [**Community Feedback and Discussions**](https://github.com/orgs/community/discussions/categories/npm) - Contribute ideas & discussion around the npm registry, website & CLI
* [**RFCs**](https://github.com/npm/rfcs) - Contribute ideas & specifications for the API/design of the npm CLI
* [**Service Status**](https://status.npmjs.org/) - Monitor the current status & see incident reports for the website & registry
* [**Project Status**](https://npm.github.io/statusboard/) - See the health of all our maintained OSS projects in one view
* [**Events Calendar**](https://calendar.google.com/calendar/u/0/embed?src=npmjs.com_oonluqt8oftrt0vmgrfbg6q6go@group.calendar.google.com) - Keep track of our Open RFC calls, releases, meetups, conferences & more
* [**Support**](https://www.npmjs.com/support) - Experiencing problems with the **npm** [website](https://npmjs.com) or [registry](https://registry.npmjs.org)? File a ticket [here](https://www.npmjs.com/support)

### Acknowledgments

* `npm` is configured to use the **npm Public Registry** at [https://registry.npmjs.org](https://registry.npmjs.org) by default; Usage of this registry is subject to **Terms of Use** available at [https://npmjs.com/policies/terms](https://npmjs.com/policies/terms)
* You can configure `npm` to use any other compatible registry you prefer. You can read more about configuring third-party registries [here](https://docs.npmjs.com/cli/v7/using-npm/registry)

### FAQ on Branding

#### Is it "npm" or "NPM" or "Npm"?

**`npm`** should never be capitalized unless it is being displayed in a location that is customarily all-capitals (ex. titles on `man` pages).

#### Is "npm" an acronym for "Node Package Manager"?

Contrary to popular belief, **`npm`** **is not** in fact an acronym for "Node Package Manager"; It is a recursive bacronymic abbreviation for **"npm is not an acronym"** (if the project was named "ninaa", then it would be an acronym). The precursor to **`npm`** was actually a bash utility named **"pm"**, which was the shortform name of **"pkgmakeinst"** - a bash function that installed various things on various platforms. If **`npm`** were to ever have been considered an acronym, it would be as "node pm" or, potentially "new pm".
                                                     {
  "version": "10.8.2",
  "name": "npm",
  "description": "a package manager for JavaScript",
  "workspaces": [
    "docs",
    "smoke-tests",
    "mock-globals",
    "mock-registry",
    "workspaces/*"
  ],
  "files": [
    "bin/",
    "lib/",
    "index.js",
    "docs/content/",
    "docs/output/",
    "man/"
  ],
  "keywords": [
    "install",
    "modules",
    "package manager",
    "package.json"
  ],
  "homepage": "https://docs.npmjs.com/",
  "author": "GitHub Inc.",
  "repository": {
    "type": "git",
    "url": "git+https://github.com/npm/cli.git"
  },
  "bugs": {
    "url": "https://github.com/npm/cli/issues"
  },
  "directories": {
    "doc": "./doc",
    "man": "./man"
  },
  "main": "./index.js",
  "bin": {
    "npm": "bin/npm-cli.js",
    "npx": "bin/npx-cli.js"
  },
  "exports": {
    ".": [
      {
        "default": "./index.js"
      },
      "./index.js"
    ],
    "./package.json": "./package.json"
  },
  "dependencies": {
    "@isaacs/string-locale-compare": "^1.1.0",
    "@npmcli/arborist": "^7.5.4",
    "@npmcli/config": "^8.3.4",
    "@npmcli/fs": "^3.1.1",
    "@npmcli/map-workspaces": "^3.0.6",
    "@npmcli/package-json": "^5.2.0",
    "@npmcli/promise-spawn": "^7.0.2",
    "@npmcli/redact": "^2.0.1",
    "@npmcli/run-script": "^8.1.0",
    "@sigstore/tuf": "^2.3.4",
    "abbrev": "^2.0.0",
    "archy": "~1.0.0",
    "cacache": "^18.0.3",
    "chalk": "^5.3.0",
    "ci-info": "^4.0.0",
    "cli-columns": "^4.0.0",
    "fastest-levenshtein": "^1.0.16",
    "fs-minipass": "^3.0.3",
    "glob": "^10.4.2",
    "graceful-fs": "^4.2.11",
    "hosted-git-info": "^7.0.2",
    "ini": "^4.1.3",
    "init-package-json": "^6.0.3",
    "is-cidr": "^5.1.0",
    "json-parse-even-better-errors": "^3.0.2",
    "libnpmaccess": "^8.0.6",
    "libnpmdiff": "^6.1.4",
    "libnpmexec": "^8.1.3",
    "libnpmfund": "^5.0.12",
    "libnpmhook": "^10.0.5",
    "libnpmorg": "^6.0.6",
    "libnpmpack": "^7.0.4",
    "libnpmpublish": "^9.0.9",
    "libnpmsearch": "^7.0.6",
    "libnpmteam": "^6.0.5",
    "libnpmversion": "^6.0.3",
    "make-fetch-happen": "^13.0.1",
    "minimatch": "^9.0.5",
    "minipass": "^7.1.1",
    "minipass-pipeline": "^1.2.4",
    "ms": "^2.1.2",
    "node-gyp": "^10.1.0",
    "nopt": "^7.2.1",
    "normalize-package-data": "^6.0.2",
    "npm-audit-report": "^5.0.0",
    "npm-install-checks": "^6.3.0",
    "npm-package-arg": "^11.0.2",
    "npm-pick-manifest": "^9.1.0",
    "npm-profile": "^10.0.0",
    "npm-registry-fetch": "^17.1.0",
    "npm-user-validate": "^2.0.1",
    "p-map": "^4.0.0",
    "pacote": "^18.0.6",
    "parse-conflict-json": "^3.0.1",
    "proc-log": "^4.2.0",
    "qrcode-terminal": "^0.12.0",
    "read": "^3.0.1",
    "semver": "^7.6.2",
    "spdx-expression-parse": "^4.0.0",
    "ssri": "^10.0.6",
    "supports-color": "^9.4.0",
    "tar": "^6.2.1",
    "text-table": "~0.2.0",
    "tiny-relative-date": "^1.3.0",
    "treeverse": "^3.0.0",
    "validate-npm-package-name": "^5.0.1",
    "which": "^4.0.0",
    "write-file-atomic": "^5.0.1"
  },
  "bundleDependencies": [
    "@isaacs/string-locale-compare",
    "@npmcli/arborist",
    "@npmcli/config",
    "@npmcli/fs",
    "@npmcli/map-workspaces",
    "@npmcli/package-json",
    "@npmcli/promise-spawn",
    "@npmcli/redact",
    "@npmcli/run-script",
    "@sigstore/tuf",
    "abbrev",
    "archy",
    "cacache",
    "chalk",
    "ci-info",
    "cli-columns",
    "fastest-levenshtein",
    "fs-minipass",
    "glob",
    "graceful-fs",
    "hosted-git-info",
    "ini",
    "init-package-json",
    "is-cidr",
    "json-parse-even-better-errors",
    "libnpmaccess",
    "libnpmdiff",
    "libnpmexec",
    "libnpmfund",
    "libnpmhook",
    "libnpmorg",
    "libnpmpack",
    "libnpmpublish",
    "libnpmsearch",
    "libnpmteam",
    "libnpmversion",
    "make-fetch-happen",
    "minimatch",
    "minipass",
    "minipass-pipeline",
    "ms",
    "node-gyp",
    "nopt",
    "normalize-package-data",
    "npm-audit-report",
    "npm-install-checks",
    "npm-package-arg",
    "npm-pick-manifest",
    "npm-profile",
    "npm-registry-fetch",
    "npm-user-validate",
    "p-map",
    "pacote",
    "parse-conflict-json",
    "proc-log",
    "qrcode-terminal",
    "read",
    "semver",
    "spdx-expression-parse",
    "ssri",
    "supports-color",
    "tar",
    "text-table",
    "tiny-relative-date",
    "treeverse",
    "validate-npm-package-name",
    "which",
    "write-file-atomic"
  ],
  "devDependencies": {
    "@npmcli/docs": "^1.0.0",
    "@npmcli/eslint-config": "^4.0.2",
    "@npmcli/git": "^5.0.8",
    "@npmcli/mock-globals": "^1.0.0",
    "@npmcli/mock-registry": "^1.0.0",
    "@npmcli/template-oss": "4.22.0",
    "@tufjs/repo-mock": "^2.0.0",
    "ajv": "^8.12.0",
    "ajv-formats": "^2.1.1",
    "ajv-formats-draft2019": "^1.6.1",
    "cli-table3": "^0.6.4",
    "diff": "^5.2.0",
    "nock": "^13.4.0",
    "npm-packlist": "^8.0.2",
    "remark": "^14.0.2",
    "remark-gfm": "^3.0.1",
    "remark-github": "^11.2.4",
    "rimraf": "^5.0.5",
    "spawk": "^1.7.1",
    "tap": "^16.3.9"
  },
  "scripts": {
    "dependencies": "node scripts/bundle-and-gitignore-deps.js && node scripts/dependency-graph.js",
    "dumpconf": "env | grep npm | sort | uniq",
    "licenses": "npx licensee --production --errors-only",
    "test": "tap",
    "test:nocolor": "CI=true tap -Rclassic",
    "test-all": "node . run test -ws -iwr --if-present",
    "snap": "tap",
    "prepack": "node . run build -w docs",
    "posttest": "node . run lint",
    "lint": "eslint \"**/*.{js,cjs,ts,mjs,jsx,tsx}\"",
    "lintfix": "node . run lint -- --fix",
    "lint-all": "node . run lint -ws -iwr --if-present",
    "resetdeps": "node scripts/resetdeps.js",
    "rp-pull-request": "node scripts/update-authors.js",
    "postlint": "template-oss-check",
    "template-oss-apply": "template-oss-apply --force"
  },
  "tap": {
    "test-env": [
      "LC_ALL=sk"
    ],
    "timeout": 600,
    "nyc-arg": [
      "--exclude",
      "docs/**",
      "--exclude",
      "smoke-tests/**",
      "--exclude",
      "mock-globals/**",
      "--exclude",
      "mock-registry/**",
      "--exclude",
      "workspaces/**",
      "--exclude",
      "tap-snapshots/**"
    ],
    "test-ignore": "^(docs|smoke-tests|mock-globals|mock-registry|workspaces)/"
  },
  "templateOSS": {
    "//@npmcli/template-oss": "This file is partially managed by @npmcli/template-oss. Edits may be overwritten.",
    "version": "4.22.0",
    "content": "./scripts/template-oss/root.js"
  },
  "license": "Artistic-2.0",
  "engines": {
    "node": "^18.17.0 || >=20.5.0"
  }
}
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               #!/usr/bin/env node
require('../lib/cli.js')(process)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          #!/usr/bin/env bash

# This is used by the Node.js installer, which expects the cygwin/mingw
# shell script to already be present in the npm dependency folder.

(set -o igncr) 2>/dev/null && set -o igncr; # cygwin encoding fix

basedir=`dirname "$0"`

case `uname` in
  *CYGWIN*) basedir=`cygpath -w "$basedir"`;;
esac

if [ `uname` = 'Linux' ] && type wslpath &>/dev/null ; then
  IS_WSL="true"
fi

function no_node_dir {
  # if this didn't work, then everything else below will fail
  echo "Could not determine Node.js install directory" >&2
  exit 1
}

NODE_EXE="$basedir/node.exe"
if ! [ -x "$NODE_EXE" ]; then
  NODE_EXE="$basedir/node"
fi
if ! [ -x "$NODE_EXE" ]; then
  NODE_EXE=node
fi

# this path is passed to node.exe, so it needs to match whatever
# kind of paths Node.js thinks it's using, typically win32 paths.
CLI_BASEDIR="$("$NODE_EXE" -p 'require("path").dirname(process.execPath)' 2> /dev/null)"
if [ $? -ne 0 ]; then
  # this fails under WSL 1 so add an additional message. we also suppress stderr above
  # because the actual error raised is not helpful. in WSL 1 node.exe cannot handle
  # output redirection properly. See https://github.com/microsoft/WSL/issues/2370
  if [ "$IS_WSL" == "true" ]; then
    echo "WSL 1 is not supported. Please upgrade to WSL 2 or above." >&2
  fi
  no_node_dir
fi
NPM_PREFIX_JS="$CLI_BASEDIR/node_modules/npm/bin/npm-prefix.js"
NPM_CLI_JS="$CLI_BASEDIR/node_modules/npm/bin/npm-cli.js"
NPM_PREFIX=`"$NODE_EXE" "$NPM_PREFIX_JS"`
if [ $? -ne 0 ]; then
  no_node_dir
fi
NPM_PREFIX_NPM_CLI_JS="$NPM_PREFIX/node_modules/npm/bin/npm-cli.js"

# a path that will fail -f test on any posix bash
NPM_WSL_PATH="/.."

# WSL can run Windows binaries, so we have to give it the win32 path
# however, WSL bash tests against posix paths, so we need to construct that
# to know if npm is installed globally.
if [ "$IS_WSL" == "true" ]; then
  NPM_WSL_PATH=`wslpath "$NPM_PREFIX_NPM_CLI_JS"`
fi
if [ -f "$NPM_PREFIX_NPM_CLI_JS" ] || [ -f "$NPM_WSL_PATH" ]; then
  NPM_CLI_JS="$NPM_PREFIX_NPM_CLI_JS"
fi

"$NODE_EXE" "$NPM_CLI_JS" "$@"
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       :: Created by npm, please don't edit manually.
@ECHO OFF

SETLOCAL

SET "NODE_EXE=%~dp0\node.exe"
IF NOT EXIST "%NODE_EXE%" (
  SET "NODE_EXE=node"
)

SET "NPM_PREFIX_JS=%~dp0\node_modules\npm\bin\npm-prefix.js"
SET "NPM_CLI_JS=%~dp0\node_modules\npm\bin\npm-cli.js"
FOR /F "delims=" %%F IN ('CALL "%NODE_EXE%" "%NPM_PREFIX_JS%"') DO (
  SET "NPM_PREFIX_NPM_CLI_JS=%%F\node_modules\npm\bin\npm-cli.js"
)
IF EXIST "%NPM_PREFIX_NPM_CLI_JS%" (
  SET "NPM_CLI_JS=%NPM_PREFIX_NPM_CLI_JS%"
)

"%NODE_EXE%" "%NPM_CLI_JS%" %*
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      #!/usr/bin/env bash

# This is used by the Node.js installer, which expects the cygwin/mingw
# shell script to already be present in the npm dependency folder.

(set -o igncr) 2>/dev/null && set -o igncr; # cygwin encoding fix

basedir=`dirname "$0"`

case `uname` in
  *CYGWIN*) basedir=`cygpath -w "$basedir"`;;
esac

if [ `uname` = 'Linux' ] && type wslpath &>/dev/null ; then
  IS_WSL="true"
fi

function no_node_dir {
  # if this didn't work, then everything else below will fail
  echo "Could not determine Node.js install directory" >&2
  exit 1
}

NODE_EXE="$basedir/node.exe"
if ! [ -x "$NODE_EXE" ]; then
  NODE_EXE="$basedir/node"
fi
if ! [ -x "$NODE_EXE" ]; then
  NODE_EXE=node
fi

# this path is passed to node.exe, so it needs to match whatever
# kind of paths Node.js thinks it's using, typically win32 paths.
CLI_BASEDIR="$("$NODE_EXE" -p 'require("path").dirname(process.execPath)' 2> /dev/null)"
if [ $? -ne 0 ]; then
  # this fails under WSL 1 so add an additional message. we also suppress stderr above
  # because the actual error raised is not helpful. in WSL 1 node.exe cannot handle
  # output redirection properly. See https://github.com/microsoft/WSL/issues/2370
  if [ "$IS_WSL" == "true" ]; then
    echo "WSL 1 is not supported. Please upgrade to WSL 2 or above." >&2
  fi
  no_node_dir
fi
NPM_PREFIX_JS="$CLI_BASEDIR/node_modules/npm/bin/npm-prefix.js"
NPX_CLI_JS="$CLI_BASEDIR/node_modules/npm/bin/npx-cli.js"
NPM_PREFIX=`"$NODE_EXE" "$NPM_PREFIX_JS"`
if [ $? -ne 0 ]; then
  no_node_dir
fi
NPM_PREFIX_NPX_CLI_JS="$NPM_PREFIX/node_modules/npm/bin/npx-cli.js"

# a path that will fail -f test on any posix bash
NPX_WSL_PATH="/.."

# WSL can run Windows binaries, so we have to give it the win32 path
# however, WSL bash tests against posix paths, so we need to construct that
# to know if npm is installed globally.
if [ "$IS_WSL" == "true" ]; then
  NPX_WSL_PATH=`wslpath "$NPM_PREFIX_NPX_CLI_JS"`
fi
if [ -f "$NPM_PREFIX_NPX_CLI_JS" ] || [ -f "$NPX_WSL_PATH" ]; then
  NPX_CLI_JS="$NPM_PREFIX_NPX_CLI_JS"
fi

"$NODE_EXE" "$NPX_CLI_JS" "$@"
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       :: Created by npm, please don't edit manually.
@ECHO OFF

SETLOCAL

SET "NODE_EXE=%~dp0\node.exe"
IF NOT EXIST "%NODE_EXE%" (
  SET "NODE_EXE=node"
)

SET "NPM_PREFIX_JS=%~dp0\node_modules\npm\bin\npm-prefix.js"
SET "NPX_CLI_JS=%~dp0\node_modules\npm\bin\npx-cli.js"
FOR /F "delims=" %%F IN ('CALL "%NODE_EXE%" "%NPM_PREFIX_JS%"') DO (
  SET "NPM_PREFIX_NPX_CLI_JS=%%F\node_modules\npm\bin\npx-cli.js"
)
IF EXIST "%NPM_PREFIX_NPX_CLI_JS%" (
  SET "NPX_CLI_JS=%NPM_PREFIX_NPX_CLI_JS%"
)

"%NODE_EXE%" "%NPX_CLI_JS%" %*
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      #!/usr/bin/env pwsh

$NODE_EXE="$PSScriptRoot/node.exe"
if (-not (Test-Path $NODE_EXE)) {
  $NODE_EXE="$PSScriptRoot/node"
}
if (-not (Test-Path $NODE_EXE)) {
  $NODE_EXE="node"
}

$NPM_PREFIX_JS="$PSScriptRoot/node_modules/npm/bin/npm-prefix.js"
$NPM_CLI_JS="$PSScriptRoot/node_modules/npm/bin/npm-cli.js"
$NPM_PREFIX=(& $NODE_EXE $NPM_PREFIX_JS)

if ($LASTEXITCODE -ne 0) {
  Write-Host "Could not determine Node.js install directory"
  exit 1
}

$NPM_PREFIX_NPM_CLI_JS="$NPM_PREFIX/node_modules/npm/bin/npm-cli.js"
if (Test-Path $NPM_PREFIX_NPM_CLI_JS) {
  $NPM_CLI_JS=$NPM_PREFIX_NPM_CLI_JS
}

# Support pipeline input
if ($MyInvocation.ExpectingInput) {
  $input | & $NODE_EXE $NPM_CLI_JS $args
} else {
  & $NODE_EXE $NPM_CLI_JS $args
}

exit $LASTEXITCODE
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     #!/usr/bin/env node

const cli = require('../lib/cli.js')

// run the resulting command as `npm exec ...args`
process.argv[1] = require.resolve('./npm-cli.js')
process.argv.splice(2, 0, 'exec')

// TODO: remove the affordances for removed items in npm v9
const removedSwitches = new Set([
  'always-spawn',
  'ignore-existing',
  'shell-auto-fallback',
])

const removedOpts = new Set([
  'npm',
  'node-arg',
  'n',
])

const removed = new Set([
  ...removedSwitches,
  ...removedOpts,
])

const { definitions, shorthands } = require('@npmcli/config/lib/definitions')
const npmSwitches = Object.entries(definitions)
  .filter(([, { type }]) => type === Boolean ||
    (Array.isArray(type) && type.includes(Boolean)))
  .map(([key]) => key)

// things that don't take a value
const switches = new Set([
  ...removedSwitches,
  ...npmSwitches,
  'no-install',
  'quiet',
  'q',
  'version',
  'v',
  'help',
  'h',
])

// things that do take a value
const opts = new Set([
  ...removedOpts,
  'package',
  'p',
  'cache',
  'userconfig',
  'call',
  'c',
  'shell',
  'npm',
  'node-arg',
  'n',
])

// break out of loop when we find a positional argument or --
// If we find a positional arg, we shove -- in front of it, and
// let the normal npm cli handle the rest.
let i
let sawRemovedFlags = false
for (i = 3; i < process.argv.length; i++) {
  const arg = process.argv[i]
  if (arg === '--') {
    break
  } else if (/^-/.test(arg)) {
    const [key, ...v] = arg.replace(/^-+/, '').split('=')

    switch (key) {
      case 'p':
        process.argv[i] = ['--package', ...v].join('=')
        break

      case 'shell':
        process.argv[i] = ['--script-shell', ...v].join('=')
        break

      case 'no-install':
        process.argv[i] = '--yes=false'
        break

      default:
        // resolve shorthands and run again
        if (shorthands[key] && !removed.has(key)) {
          const a = [...shorthands[key]]
          if (v.length) {
            a.push(v.join('='))
          }
          process.argv.splice(i, 1, ...a)
          i--
          continue
        }
        break
    }

    if (removed.has(key)) {
      // eslint-disable-next-line no-console
      console.error(`npx: the --${key} argument has been removed.`)
      sawRemovedFlags = true
      process.argv.splice(i, 1)
      i--
    }

    if (v.length === 0 && !switches.has(key) &&
        (opts.has(key) || !/^-/.test(process.argv[i + 1]))) {
      // value will be next argument, skip over it.
      if (removed.has(key)) {
        // also remove the value for the cut key.
        process.argv.splice(i + 1, 1)
      } else {
        i++
      }
    }
  } else {
    // found a positional arg, put -- in front of it, and we're done
    process.argv.splice(i, 0, '--')
    break
  }
}

if (sawRemovedFlags) {
  // eslint-disable-next-line no-console
  console.error('See `npm help exec` for more information')
}

cli(process)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       #!/usr/bin/env pwsh

$NODE_EXE="$PSScriptRoot/node.exe"
if (-not (Test-Path $NODE_EXE)) {
  $NODE_EXE="$PSScriptRoot/node"
}
if (-not (Test-Path $NODE_EXE)) {
  $NODE_EXE="node"
}

$NPM_PREFIX_JS="$PSScriptRoot/node_modules/npm/bin/npm-prefix.js"
$NPX_CLI_JS="$PSScriptRoot/node_modules/npm/bin/npx-cli.js"
$NPM_PREFIX=(& $NODE_EXE $NPM_PREFIX_JS)

if ($LASTEXITCODE -ne 0) {
  Write-Host "Could not determine Node.js install directory"
  exit 1
}

$NPM_PREFIX_NPX_CLI_JS="$NPM_PREFIX/node_modules/npm/bin/npx-cli.js"
if (Test-Path $NPM_PREFIX_NPX_CLI_JS) {
  $NPX_CLI_JS=$NPM_PREFIX_NPX_CLI_JS
}

# Support pipeline input
if ($MyInvocation.ExpectingInput) {
  $input | & $NODE_EXE $NPX_CLI_JS $args
} else {
  & $NODE_EXE $NPX_CLI_JS $args
}

exit $LASTEXITCODE
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     #!/usr/bin/env node
// This is a single-use bin to help windows discover the proper prefix for npm
// without having to load all of npm first
// It does not accept argv params

const path = require('node:path')
const Config = require('@npmcli/config')
const { definitions, flatten, shorthands } = require('@npmcli/config/lib/definitions')
const config = new Config({
  npmPath: path.dirname(__dirname),
  // argv is explicitly not looked at since prefix is not something that can be changed via argv
  argv: [],
  definitions,
  flatten,
  shorthands,
  excludeNpmCwd: false,
})

async function main () {
  try {
    await config.load()
    // eslint-disable-next-line no-console
    console.log(config.globalPrefix)
  } catch (err) {
    // eslint-disable-next-line no-console
    console.error(err)
    process.exit(1)
  }
}
main()
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              #!/usr/bin/env sh
if [ "x$npm_config_node_gyp" = "x" ]; then
  node "`dirname "$0"`/../../node_modules/node-gyp/bin/node-gyp.js" "$@"
else
  "$npm_config_node_gyp" "$@"
fi
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    if not defined npm_config_node_gyp (
  node "%~dp0\..\..\node_modules\node-gyp\bin\node-gyp.js" %*
) else (
  node "%npm_config_node_gyp%" %*
)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                ---
title: npm-edit
section: 1
description: Edit an installed package
---

### Synopsis

```bash
npm edit <pkg>[/<subpkg>...]
```

Note: This command is unaware of workspaces.

### Description

Selects a dependency in the current project and opens the package folder in
the default editor (or whatever you've configured as the npm `editor`
config -- see [`npm-config`](npm-config).)

After it has been edited, the package is rebuilt so as to pick up any
changes in compiled packages.

For instance, you can do `npm install connect` to install connect
into your package, and then `npm edit connect` to make a few
changes to your locally installed copy.

### Configuration

#### `editor`

* Default: The EDITOR or VISUAL environment variables, or
  '%SYSTEMROOT%\notepad.exe' on Windows, or 'vi' on Unix systems
* Type: String

The command to run for `npm edit` and `npm config edit`.



### See Also

* [npm folders](/configuring-npm/folders)
* [npm explore](/commands/npm-explore)
* [npm install](/commands/npm-install)
* [npm config](/commands/npm-config)
* [npmrc](/configuring-npm/npmrc)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             ---
title: npm-whoami
section: 1
description: Display npm username
---

### Synopsis

```bash
npm whoami
```

Note: This command is unaware of workspaces.

### Description

Display the npm username of the currently logged-in user.

If logged into a registry that provides token-based authentication, then
connect to the `/-/whoami` registry endpoint to find the username
associated with the token, and print to standard output.

If logged into a registry that uses Basic Auth, then simply print the
`username` portion of the authentication string.

### Configuration

#### `registry`

* Default: "https://registry.npmjs.org/"
* Type: URL

The base URL of the npm registry.



### See Also

* [npm config](/commands/npm-config)
* [npmrc](/configuring-npm/npmrc)
* [npm adduser](/commands/npm-adduser)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                ---
title: npm-link
section: 1
description: Symlink a package folder
---

### Synopsis

```bash
npm link [<package-spec>]

alias: ln
```

### Description

This is handy for installing your own stuff, so that you can work on it and
test iteratively without having to continually rebuild.

Package linking is a two-step process.

First, `npm link` in a package folder with no arguments will create a
symlink in the global folder `{prefix}/lib/node_modules/<package>` that
links to the package where the `npm link` command was executed. It will
also link any bins in the package to `{prefix}/bin/{name}`.  Note that
`npm link` uses the global prefix (see `npm prefix -g` for its value).

Next, in some other location, `npm link package-name` will create a
symbolic link from globally-installed `package-name` to `node_modules/` of
the current folder.

Note that `package-name` is taken from `package.json`, _not_ from the
directory name.

The package name can be optionally prefixed with a scope. See
[`scope`](/using-npm/scope).  The scope must be preceded by an @-symbol and
followed by a slash.

When creating tarballs for `npm publish`, the linked packages are
"snapshotted" to their current state by resolving the symbolic links, if
they are included in `bundleDependencies`.

For example:

```bash
cd ~/projects/node-redis    # go into the package directory
npm link                    # creates global link
cd ~/projects/node-bloggy   # go into some other package directory.
npm link redis              # link-install the package
```

Now, any changes to `~/projects/node-redis` will be reflected in
`~/projects/node-bloggy/node_modules/node-redis/`. Note that the link
should be to the package name, not the directory name for that package.

You may also shortcut the two steps in one.  For example, to do the
above use-case in a shorter way:

```bash
cd ~/projects/node-bloggy  # go into the dir of your main project
npm link ../node-redis     # link the dir of your dependency
```

The second line is the equivalent of doing:

```bash
(cd ../node-redis; npm link)
npm link redis
```

That is, it first creates a global link, and then links the global
installation target into your project's `node_modules` folder.

Note that in this case, you are referring to the directory name,
`node-redis`, rather than the package name `redis`.

If your linked package is scoped (see [`scope`](/using-npm/scope)) your
link command must include that scope, e.g.

```bash
npm link @myorg/privatepackage
```

### Caveat

Note that package dependencies linked in this way are _not_ saved to
`package.json` by default, on the assumption that the intention is to have
a link stand in for a regular non-link dependency.  Otherwise, for example,
if you depend on `redis@^3.0.1`, and ran `npm link redis`, it would replace
the `^3.0.1` dependency with `file:../path/to/node-redis`, which you
probably don't want!  Additionally, other users or developers on your
project would run into issues if they do not have their folders set up
exactly the same as yours.

If you are adding a _new_ dependency as a link, you should add it to the
relevant metadata by running `npm install <dep> --package-lock-only`.

If you _want_ to save the `file:` reference in your `package.json` and
`package-lock.json` files, you can use `npm link <dep> --save` to do so.

### Workspace Usage

`npm link <pkg> --workspace <name>` will link the relevant package as a
dependency of the specified workspace(s).  Note that It may actually be
linked into the parent project's `node_modules` folder, if there are no
conflicting dependencies.

`npm link --workspace <name>` will create a global link to the specified
workspace(s).

### Configuration

#### `save`

* Default: `true` unless when using `npm update` where it defaults to `false`
* Type: Boolean

Save installed packages to a `package.json` file as dependencies.

When used with the `npm rm` command, removes the dependency from
`package.json`.

Will also prevent writing to `package-lock.json` if set to `false`.



#### `save-exact`

* Default: false
* Type: Boolean

Dependencies saved to package.json will be configured with an exact version
rather than using npm's default semver range operator.



#### `global`

* Default: false
* Type: Boolean

Operates in "global" mode, so that packages are installed into the `prefix`
folder instead of the current working directory. See
[folders](/configuring-npm/folders) for more on the differences in behavior.

* packages are installed into the `{prefix}/lib/node_modules` folder, instead
  of the current working directory.
* bin files are linked to `{prefix}/bin`
* man pages are linked to `{prefix}/share/man`



#### `install-strategy`

* Default: "hoisted"
* Type: "hoisted", "nested", "shallow", or "linked"

Sets the strategy for installing packages in node_modules. hoisted
(default): Install non-duplicated in top-level, and duplicated as necessary
within directory structure. nested: (formerly --legacy-bundling) install in
place, no hoisting. shallow (formerly --global-style) only install direct
deps at top-level. linked: (experimental) install in node_modules/.store,
link in place, unhoisted.



#### `legacy-bundling`

* Default: false
* Type: Boolean
* DEPRECATED: This option has been deprecated in favor of
  `--install-strategy=nested`

Instead of hoisting package installs in `node_modules`, install packages in
the same manner that they are depended on. This may cause very deep
directory structures and duplicate package installs as there is no
de-duplicating. Sets `--install-strategy=nested`.



#### `global-style`

* Default: false
* Type: Boolean
* DEPRECATED: This option has been deprecated in favor of
  `--install-strategy=shallow`

Only install direct dependencies in the top level `node_modules`, but hoist
on deeper dependencies. Sets `--install-strategy=shallow`.



#### `strict-peer-deps`

* Default: false
* Type: Boolean

If set to `true`, and `--legacy-peer-deps` is not set, then _any_
conflicting `peerDependencies` will be treated as an install failure, even
if npm could reasonably guess the appropriate resolution based on non-peer
dependency relationships.

By default, conflicting `peerDependencies` deep in the dependency graph will
be resolved using the nearest non-peer dependency specification, even if
doing so will result in some packages receiving a peer dependency outside
the range set in their package's `peerDependencies` object.

When such an override is performed, a warning is printed, explaining the
conflict and the packages involved. If `--strict-peer-deps` is set, then
this warning is treated as a failure.



#### `package-lock`

* Default: true
* Type: Boolean

If set to false, then ignore `package-lock.json` files when installing. This
will also prevent _writing_ `package-lock.json` if `save` is true.



#### `omit`

* Default: 'dev' if the `NODE_ENV` environment variable is set to
  'production', otherwise empty.
* Type: "dev", "optional", or "peer" (can be set multiple times)

Dependency types to omit from the installation tree on disk.

Note that these dependencies _are_ still resolved and added to the
`package-lock.json` or `npm-shrinkwrap.json` file. They are just not
physically installed on disk.

If a package type appears in both the `--include` and `--omit` lists, then
it will be included.

If the resulting omit list includes `'dev'`, then the `NODE_ENV` environment
variable will be set to `'production'` for all lifecycle scripts.



#### `include`

* Default:
* Type: "prod", "dev", "optional", or "peer" (can be set multiple times)

Option that allows for defining which types of dependencies to install.

This is the inverse of `--omit=<type>`.

Dependency types specified in `--include` will not be omitted, regardless of
the order in which omit/include are specified on the command-line.



#### `ignore-scripts`

* Default: false
* Type: Boolean

If true, npm does not run scripts specified in package.json files.

Note that commands explicitly intended to run a particular script, such as
`npm start`, `npm stop`, `npm restart`, `npm test`, and `npm run-script`
will still run their intended script if `ignore-scripts` is set, but they
will *not* run any pre- or post-scripts.



#### `audit`

* Default: true
* Type: Boolean

When "true" submit audit reports alongside the current npm command to the
default registry and all registries configured for scopes. See the
documentation for [`npm audit`](/commands/npm-audit) for details on what is
submitted.



#### `bin-links`

* Default: true
* Type: Boolean

Tells npm to create symlinks (or `.cmd` shims on Windows) for package
executables.

Set to false to have it not do this. This can be used to work around the
fact that some file systems don't support symlinks, even on ostensibly Unix
systems.



#### `fund`

* Default: true
* Type: Boolean

When "true" displays the message at the end of each `npm install`
acknowledging the number of dependencies looking for funding. See [`npm
fund`](/commands/npm-fund) for details.



#### `dry-run`

* Default: false
* Type: Boolean

Indicates that you don't want npm to make any changes and that it should
only report what it would have done. This can be passed into any of the
commands that modify your local installation, eg, `install`, `update`,
`dedupe`, `uninstall`, as well as `pack` and `publish`.

Note: This is NOT honored by other network related commands, eg `dist-tags`,
`owner`, etc.



#### `workspace`

* Default:
* Type: String (can be set multiple times)

Enable running a command in the context of the configured workspaces of the
current project while filtering by running only the workspaces defined by
this configuration option.

Valid values for the `workspace` config are either:

* Workspace names
* Path to a workspace directory
* Path to a parent workspace directory (will result in selecting all
  workspaces within that folder)

When set for the `npm init` command, this may be set to the folder of a
workspace which does not yet exist, to create the folder and set it up as a
brand new workspace within the project.

This value is not exported to the environment for child processes.

#### `workspaces`

* Default: null
* Type: null or Boolean

Set to true to run the command in the context of **all** configured
workspaces.

Explicitly setting this to false will cause commands like `install` to
ignore workspaces altogether. When not set explicitly:

- Commands that operate on the `node_modules` tree (install, update, etc.)
will link workspaces into the `node_modules` folder. - Commands that do
other things (test, exec, publish, etc.) will operate on the root project,
_unless_ one or more workspaces are specified in the `workspace` config.

This value is not exported to the environment for child processes.

#### `include-workspace-root`

* Default: false
* Type: Boolean

Include the workspace root when workspaces are enabled for a command.

When false, specifying individual workspaces via the `workspace` config, or
all workspaces via the `workspaces` flag, will cause npm to operate only on
the specified workspaces, and not on the root project.

This value is not exported to the environment for child processes.

#### `install-links`

* Default: false
* Type: Boolean

When set file: protocol dependencies will be packed and installed as regular
dependencies instead of creating a symlink. This option has no effect on
workspaces.



### See Also

* [package spec](/using-npm/package-spec)
* [npm developers](/using-npm/developers)
* [package.json](/configuring-npm/package-json)
* [npm install](/commands/npm-install)
* [npm folders](/configuring-npm/folders)
* [npm config](/commands/npm-config)
* [npmrc](/configuring-npm/npmrc)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  ---
title: npm-rebuild
section: 1
description: Rebuild a package
---

### Synopsis

```bash
npm rebuild [<package-spec>] ...]

alias: rb
```

### Description

This command does the following:

1. Execute lifecycle scripts (`preinstall`, `install`, `postinstall`, `prepare`)
2. Links bins depending on whether bin links are enabled

This command is particularly useful in scenarios including but not limited to:

1. Installing a new version of **node.js**, where you need to recompile all your C++ add-ons with the updated binary.
2. Installing with `--ignore-scripts` and `--no-bin-links`, to explicitly choose which packages to build and/or link bins.

If one or more package specs are provided, then only packages with a name and version matching one of the specifiers will be rebuilt.

Usually, you should not need to run `npm rebuild` as it is already done for you as part of npm install (unless you suppressed these steps with `--ignore-scripts` or `--no-bin-links`).

If there is a `binding.gyp` file in the root of your package, then npm will use a default install hook:

```
"scripts": {
    "install": "node-gyp rebuild"
}
```

This default behavior is suppressed if the `package.json` has its own `install` or `preinstall` scripts. It is also suppressed if the package specifies `"gypfile": false`

### Configuration

#### `global`

* Default: false
* Type: Boolean

Operates in "global" mode, so that packages are installed into the `prefix`
folder instead of the current working directory. See
[folders](/configuring-npm/folders) for more on the differences in behavior.

* packages are installed into the `{prefix}/lib/node_modules` folder, instead
  of the current working directory.
* bin files are linked to `{prefix}/bin`
* man pages are linked to `{prefix}/share/man`



#### `bin-links`

* Default: true
* Type: Boolean

Tells npm to create symlinks (or `.cmd` shims on Windows) for package
executables.

Set to false to have it not do this. This can be used to work around the
fact that some file systems don't support symlinks, even on ostensibly Unix
systems.



#### `foreground-scripts`

* Default: `false` unless when using `npm pack` or `npm publish` where it
  defaults to `true`
* Type: Boolean

Run all build scripts (ie, `preinstall`, `install`, and `postinstall`)
scripts for installed packages in the foreground process, sharing standard
input, output, and error with the main npm process.

Note that this will generally make installs run slower, and be much noisier,
but can be useful for debugging.



#### `ignore-scripts`

* Default: false
* Type: Boolean

If true, npm does not run scripts specified in package.json files.

Note that commands explicitly intended to run a particular script, such as
`npm start`, `npm stop`, `npm restart`, `npm test`, and `npm run-script`
will still run their intended script if `ignore-scripts` is set, but they
will *not* run any pre- or post-scripts.



#### `workspace`

* Default:
* Type: String (can be set multiple times)

Enable running a command in the context of the configured workspaces of the
current project while filtering by running only the workspaces defined by
this configuration option.

Valid values for the `workspace` config are either:

* Workspace names
* Path to a workspace directory
* Path to a parent workspace directory (will result in selecting all
  workspaces within that folder)

When set for the `npm init` command, this may be set to the folder of a
workspace which does not yet exist, to create the folder and set it up as a
brand new workspace within the project.

This value is not exported to the environment for child processes.

#### `workspaces`

* Default: null
* Type: null or Boolean

Set to true to run the command in the context of **all** configured
workspaces.

Explicitly setting this to false will cause commands like `install` to
ignore workspaces altogether. When not set explicitly:

- Commands that operate on the `node_modules` tree (install, update, etc.)
will link workspaces into the `node_modules` folder. - Commands that do
other things (test, exec, publish, etc.) will operate on the root project,
_unless_ one or more workspaces are specified in the `workspace` config.

This value is not exported to the environment for child processes.

#### `include-workspace-root`

* Default: false
* Type: Boolean

Include the workspace root when workspaces are enabled for a command.

When false, specifying individual workspaces via the `workspace` config, or
all workspaces via the `workspaces` flag, will cause npm to operate only on
the specified workspaces, and not on the root project.

This value is not exported to the environment for child processes.

#### `install-links`

* Default: false
* Type: Boolean

When set file: protocol dependencies will be packed and installed as regular
dependencies instead of creating a symlink. This option has no effect on
workspaces.



### See Also

* [package spec](/using-npm/package-spec)
* [npm install](/commands/npm-install)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       const {
  GitConnectionError,
  GitPathspecError,
  GitUnknownError,
} = require('./errors.js')

const connectionErrorRe = new RegExp([
  'remote error: Internal Server Error',
  'The remote end hung up unexpectedly',
  'Connection timed out',
  'Operation timed out',
  'Failed to connect to .* Timed out',
  'Connection reset by peer',
  'SSL_ERROR_SYSCALL',
  'The requested URL returned error: 503',
].join('|'))

const missingPathspecRe = /pathspec .* did not match any file\(s\) known to git/

function makeError (er) {
  const message = er.stderr
  let gitEr
  if (connectionErrorRe.test(message)) {
    gitEr = new GitConnectionError(message)
  } else if (missingPathspecRe.test(message)) {
    gitEr = new GitPathspecError(message)
  } else {
    gitEr = new GitUnknownError(message)
  }
  return Object.assign(gitEr, er)
}

module.exports = makeError
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   