#!/bin/sh
set -e
# Automatically added by dh_installdeb/13.11.4
dpkg-maintscript-helper rm_conffile /etc/apt/apt.conf.d/20changelog 1.2.4\~ -- "$@"
dpkg-maintscript-helper rm_conffile /etc/cron.daily/apt 1.2.10\~ -- "$@"
dpkg-maintscript-helper rm_conffile /etc/kernel/postinst.d/apt-auto-removal 2.4.5\~ -- "$@"
# End automatically added section
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     libapt-private 0.0 apt (>= 2.6.1)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              Package: apt
Status: install reinstreq half-installed
Priority: important
Section: admin
Architecture: amd64
Version: 2.6.1
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    APT
{
  NeverAutoRemove
  {
	"^firmware-linux.*";
	"^linux-firmware$";
	"^linux-image-[a-z0-9]*$";
	"^linux-image-[a-z0-9]*-[a-z0-9]*$";
  };

  VersionedKernelPackages
  {
	# kernels
	"linux-.*";
	"kfreebsd-.*";
	"gnumach-.*";
	# (out-of-tree) modules
	".*-modules";
	".*-kernel";
  };

  Never-MarkAuto-Sections
  {
	"metapackages";
	"tasks";
  };

  Move-Autobit-Sections
  {
	"oldlibs";
  };
};
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 #!/bin/sh

set -e

# Systemd systems use a systemd timer unit which is preferable to
# run. We want to randomize the apt update and unattended-upgrade
# runs as much as possible to avoid hitting the mirrors all at the
# same time. The systemd time is better at this than the fixed
# cron.daily time
if [ -d /run/systemd/system ]; then
    exit 0
fi

check_power()
{
    # laptop check, on_ac_power returns:
    #       0 (true)    System is on main power
    #       1 (false)   System is not on main power
    #       255 (false) Power status could not be determined
    # Desktop systems always return 255 it seems
    if command -v on_ac_power >/dev/null; then
        if on_ac_power; then
            :
        elif [ $? -eq 1 ]; then
            return 1
        fi
    fi
    return 0
}

# sleep for a random interval of time (default 30min)
# (some code taken from cron-apt, thanks)
random_sleep()
{
    RandomSleep=1800
    eval $(apt-config shell RandomSleep APT::Periodic::RandomSleep)
    if [ $RandomSleep -eq 0 ]; then
	return
    fi
    if [ -z "$RANDOM" ] ; then
        # A fix for shells that do not have this bash feature.
	RANDOM=$(( $(dd if=/dev/urandom bs=2 count=1 2> /dev/null | cksum | cut -d' ' -f1) % 32767 ))
    fi
    TIME=$(($RANDOM % $RandomSleep))
    sleep $TIME
}

# delay the job execution by a random amount of time
random_sleep

# ensure we don't do this on battery
check_power || exit 0

# run daily job
exec /usr/lib/apt/apt.systemd.daily
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          /var/log/apt/term.log {
  rotate 12
  monthly
  compress
  missingok
  notifempty
}

/var/log/apt/history.log {
  rotate 12
  monthly
  compress
  missingok
  notifempty
}

                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   [Unit]
Description=Daily apt upgrade and clean activities
Documentation=man:apt(8)
ConditionACPower=true
After=apt-daily.service network.target network-online.target systemd-networkd.service NetworkManager.service connman.service

[Service]
Type=oneshot
ExecStartPre=-/usr/lib/apt/apt-helper wait-online
ExecStart=/usr/lib/apt/apt.systemd.daily install
KillMode=process
TimeoutStopSec=900
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           [Unit]
Description=Daily apt upgrade and clean activities
After=apt-daily.timer

[Timer]
OnCalendar=*-*-* 6:00
RandomizedDelaySec=60m
Persistent=true

[Install]
WantedBy=timers.target
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        [Unit]
Description=Daily apt download activities
Documentation=man:apt(8)
ConditionACPower=true
After=network.target network-online.target systemd-networkd.service NetworkManager.service connman.service

[Service]
Type=oneshot
ExecStartPre=-/usr/lib/apt/apt-helper wait-online
ExecStart=/usr/lib/apt/apt.systemd.daily update

                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          [Unit]
Description=Daily apt download activities

[Timer]
OnCalendar=*-*-* 6,18:00
RandomizedDelaySec=12h
Persistent=true

[Install]
WantedBy=timers.target
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    ELF          >    P#      @       A          @ 8 
 @         @       @       @                                                                                                     x      x                                           }
      }
                    0       0       0                                <       L       L                               8<      8L      8L      @      @                   8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd   3      3      3      \       \              Qtd                                                  Rtd    <       L       L                         /lib64/ld-linux-x86-64.so.2              GNU                     GNU v1as0'<|Y{r         GNU                      /          	  /   0   2   emC                                                                                            C                                          {                     "                     M                                                                                    D                                                               u                     a                                          i                     =                     T                                                                                    T                                          y                     ^                                           3                                                               "                     x                                                                =                                            $                                          F                                             ,                                                                                                           s  "                   5    @P                 Q                 P             _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable _Z6PolicyR11CommandLine _Z8DoSearchR11CommandLine _Z16ParseCommandLineR11CommandLine7APT_CMDPKP13ConfigurationPP9pkgSystemiPPKcPFbS0_EPFSt6vectorI19aptDispatchWithHelpSaISF_EEvE _Z7DoCleanR11CommandLine _Z11InitSignalsv _Z9DoInstallR11CommandLine _Z5DoMooR11CommandLine _Z14ShowSrcPackageR11CommandLine _Z7DependsR11CommandLine _Z6DoListR11CommandLine _Z11EditSourcesR11CommandLine _Z13DoDistUpgradeR11CommandLine _Z9DoUpgradeR11CommandLine _Z11DoChangelogR11CommandLine _Z19CheckIfSimulateModeR11CommandLine _Z10InitOutputPSt15basic_streambufIcSt11char_traitsIcEE _Z8DoUpdateR11CommandLine _Z8DoSourceR11CommandLine _Z10DoDownloadR11CommandLine _Z8RDependsR11CommandLine _Z21CheckIfCalledByScriptiPPKc _Z10DoBuildDepR11CommandLine _Z19DispatchCommandLineR11CommandLineRKSt6vectorINS_8DispatchESaIS2_EE _Z11ShowPackageR11CommandLine _Z11DoAutoCleanR11CommandLine _ZN13Configuration6CndSetEPKci _ZNK13Configuration5FindIEPKcRKi _ZN11CommandLineD1Ev _ZN11CommandLineC1Ev _config _ZN13Configuration3SetEPKcRKi _system _ZNSt9basic_iosIcSt11char_traitsIcEE5clearESt12_Ios_Iostate _ZdlPvm _ZNSt8ios_base4InitD1Ev __gxx_personality_v0 _ZSt16__ostream_insertIcSt11char_traitsIcEERSt13basic_ostreamIT_T0_ES6_PKS3_l _Znwm _ZNSt8ios_base4InitC1Ev _ZSt4cout _Unwind_Resume __stack_chk_fail dgettext strlen __cxa_atexit __libc_start_main __cxa_finalize libapt-private.so.0.0 libapt-pkg.so.6.0 libstdc++.so.6 libgcc_s.so.1 libc.so.6 GCC_3.0 CXXABI_1.3 GLIBCXX_3.4.9 CXXABI_1.3.9 GLIBCXX_3.4 APTPKG_6.0 GLIBC_2.4 GLIBC_2.34 GLIBC_2.2.5 APTPRIVATE_0.0                                                                            	     
                           P&y                P   ӯk  
      )  	      yѯ        t)                    N                @   ii
                 ui	   +                 I    7       L             0$      (L              #      0L             #      P             P      8O                    @O                    HO                    PO                    XO                    `O                    hO         /           pO                    xO                    O                    O                    O                    O                    O                    O                    O                    O                    O                    O                    O         %           O         (           O         )           O         *           O         -           O         .           P         #           @P         0           P         2           Q         1           N                    N                    N         	           N         
           N                    N         
           N                    N                    N                    N                    N                    N                    N                    N                      O         !           O         "           O         $           O         &            O         '           (O         +           0O         ,                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   HH/  HtH         5Z.  %\.  @ %Z.  h    %R.  h   %J.  h   %B.  h   %:.  h   %2.  h   %*.  h   %".  h   p%.  h   `%.  h	   P%
.  h
   @%.  h   0%-  h    %-  h
   %-  h    %-  h   %-  h   %-  h   %-  h   %-  h   %-  h   %-  f        H;HsH)HtHL  HL|f.     fUHAWAVAAULmATISH]Hh|HdH%(   HE1HE1H$  L.  HLPH  H
X/  PATE    L}H L5  H=3/  LLtgH=.  |LHLHaLA  HAHUdH+%(   uEHe[A\A]A^A_]H=.     H5F  dE   H=.  LL[cIISHq.  HH=,  H[H,  Yf     1I^HHPTE11H=e,  f.     @ H=,  H,  H9tH6,  Ht	        H=a,  H5Z,  H)HH?HHHtH
,  HtfD      =-   u+UH=b+   HtH=+  idu-  ]     w    AVH5  AUATUH-  SHHH  dH%(   H$  H  H$H*  HD$H5  HHD$Hg  HD$H+  HD$ L-*  H5O  HHD$(H;  HD$0Ll$8L%q*  H5D  HHD$@H+  Ld$PHD$H\H5  HLd$hHD$XH
  HD$`7H5  HL$   HD$pH  HD$xH5   HL$   H$   H
  H$   H5"  HL$   H$   H
  H$   H
  H$   H
  H$   H
  H$   Hl)  L$   L$   HǄ$       HǄ$       HǄ$       H$   CH5  HH$   HB
  H$  H(  H$  L5)  H5  HH$  H
  H$   L$(  H5  HH$0  H	  H$8  H(  H$@  L%(  HH5	  H$H  H	  H$P  H(  HǄ$`      H$X  H	  H$h  L$p  EH	  fL$  H$x  Hw	    H$  Hp	  H$  HH(  HǄ$      H$  HO	  H$  H'  HǄ$      H$  H$	  H$  Ht'  HǄ$      H$  H	  H$  H'  HǄ$      H$  H  H$  H  H$  H'  HǄ$      H$  H  H$(  Hw'  L$   H$0  HǄ$      HǄ$       HǄ$8      H$@  H$H  Hl  H$X  H&  HC    H$`  HM  H$p  H&  H$x  H5  H$  H&  HǄ$P      H$  H  HǄ$h      HǄ$      HǄ$      H$  L$  HǄ$      HǄ$      )$  JH  HHxHHSH$HHH$  H  H)H)  HHSH$  dH+%(   uH  H[]A\A]A^	HSH5  H=  |Ht'HH<HH=r&  H   [ HY&  H=R&  Hxw    [f.     fHHtHwHH)Yf        HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     list apt search show show package details reinstall reinstall packages remove packages autoremove auto-remove autopurge update full-upgrade edit-sources moo satisfy satisfy dependency strings dist-upgrade showsrc rdepends policy build-dep autoclean auto-clean source download changelog info quiet quiet::NoProgress  list packages based on package names    search in package descriptions  automatically remove all unused packages        update list of available packages       upgrade the system by installing/upgrading packages     upgrade the system by removing/installing/upgrading packages    edit the source information file        Usage: apt [options] command

apt is a commandline package manager and provides commands for
searching and managing as well as querying information about packages.
It provides the same functionality as the specialized APT tools,
like apt-get and apt-cache, but enables options more suitable for
interactive use by default.
 ;X   
   \      P      \  t   |  t           zR x      "                  zR x  $      `   FJw ?;*3$"       D                     zPLR xU    H   $   p    BIB A(H0Mc
0D(A BBBA       p   t              d    A{
Dc      !       8      \O     AC
DEFDT. h. p
A           Y        L'    AZ       
   7  k                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          0$       #      #                                                                                      
       t*              L                           0L                    o                                    
       q                                          xN                                                     h                   	                            o          o    x      o           o          o                                                                                                           8L                      6       F       V       f       v                                                               !      !      &!      6!      F!      V!      f!      v!                                                                                                                                                                                                                      P              /usr/lib/debug/.dwz/x86_64-linux-gnu/apt.debug g;Q! 7631f2617f73dee730273c7c598fd4d17b7284.debug    ӛ .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .gcc_except_table .init_array .fini_array .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                          8      8                                     &             X      X      $                              9             |      |                                     G   o                   4                             Q                                                   Y                         q                             a   o                   f                            n   o       x      x                                  }             h      h                                       B                                                                                                                                     `                                         !      !                                                !      !                                                t*      t*      	                                            0       0                                                3      3      \                                            4       4                                                5      5      .                                            L       <                                                0L      0<                                                8L      8<      @                                        xN      x>                                                P       @                                                @P      @      `              @               
                     @      C                                                   \@      4                                                    @      +                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             ELF          >    %      @       Q          @ 8 
 @         @       @       @                                                                                                                                                                                @       @       @      v
      v
                   J      Z      Z                                K      [      [      @      @                   8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd   (D      (D      (D                           Qtd                                                  Rtd   J      Z      Z                         /lib64/ld-linux-x86-64.so.2              GNU                     GNU ZF/2wƚVA         GNU                      =         If=   @   E   ems~Czq%{Cg
                            O                     S                     J                                                                j                                                               }                     c                     o                                                                                    Z                     |                                                               8                     ;                     r                                          A                     u                                                                                                                                                   I                     ]                                          [                                                                                                                               j                     ,                     F                                                                                                                                                                                                :                                                               p                                                                                      ,                                                                   "                   g  !  [      0           b                @`                Pa               !   D      
       9    b                !  [             0    a            x  !  [      0        _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable _Z16ParseCommandLineR11CommandLine7APT_CMDPKP13ConfigurationPP9pkgSystemiPPKcPFbS0_EPFSt6vectorI19aptDispatchWithHelpSaISF_EEvE _ZTI10OpProgress _Z10InitOutputPSt15basic_streambufIcSt11char_traitsIcEE _ZTS10OpProgress _Z19DispatchCommandLineR11CommandLineRKSt6vectorINS_8DispatchESaIS2_EE _ZTV10OpProgress _ZTV14OpTextProgress _ZNK13Configuration7FindDirB5cxx11EPKcS1_ _ZN14OpTextProgress4DoneEv _ZN8pkgCdrom5IdentERNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEP14pkgCdromStatus _Z10MountCdromNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES4_ _Z12UnmountCdromNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _ZN11CommandLineD1Ev _ZN13Configuration3SetEPKcRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _ZN11GlobalError7WarningEPKcz _ZN14pkgCdromStatusD2Ev _ZN19pkgUdevCdromDevicesD1Ev _ZTI14pkgCdromStatus _ZN11CommandLineC1Ev _ZNK13Configuration4FindB5cxx11EPKcS1_ _ZN14pkgCdromStatusC2Ev _ZN19pkgUdevCdromDevicesC1Ev _Z10FileExistsNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _config _ZN11GlobalError5ErrorEPKcz _ZN19pkgUdevCdromDevices4ScanEv _ZN8pkgCdrom3AddEP14pkgCdromStatus _ZNK13Configuration5FindBEPKcRKb _ZN8pkgCdromD1Ev _ZN13Configuration3SetEPKcRKi _ZN10OpProgressC2Ev _ZN8pkgCdromC1Ev _ZN11GlobalError14MergeWithStackEv _Z12_GetErrorObjv _ZN11GlobalError11PushToStackEv _ZN11GlobalError5ErrnoEPKcS1_z _system _ZNSo9_M_insertIbEERSoT_ _ZNSt9basic_iosIcSt11char_traitsIcEE5clearESt12_Ios_Iostate _ZSt4clog _ZdlPvm _ZSt3cin _ZNSt8ios_base4InitD1Ev _ZSt7getlineIcSt11char_traitsIcESaIcEERSt13basic_istreamIT_T0_ES7_RNSt7__cxx1112basic_stringIS4_S5_T1_EES4_ _ZTVN10__cxxabiv117__class_type_infoE _ZTVN10__cxxabiv120__si_class_type_infoE _ZSt16__throw_bad_castv __gxx_personality_v0 _ZSt16__ostream_insertIcSt11char_traitsIcEERSt13basic_ostreamIT_T0_ES6_PKS3_l _ZNSo3putEc _ZNKSt5ctypeIcE13_M_widen_initEv _ZNSo5flushEv _Znwm _ZNSt8ios_base4InitC1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_createERmm _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE10_M_disposeEv _ZSt4cout _Unwind_Resume __stack_chk_fail dgettext strlen read mkdir __cxa_atexit __libc_start_main __cxa_finalize memcpy libapt-private.so.0.0 libapt-pkg.so.6.0 libstdc++.so.6 libgcc_s.so.1 libc.so.6 GCC_3.0 GLIBC_2.4 GLIBC_2.14 GLIBC_2.34 GLIBC_2.2.5 APTPRIVATE_0.0 APTPKG_6.0 GLIBCXX_3.4.21 GLIBCXX_3.4.11 GLIBCXX_3.4.9 CXXABI_1.3.9 CXXABI_1.3 GLIBCXX_3.4                                                                        	    
    
                 
    
                          P&y                P   ii
  
 	        	        	     ui	   !	                 I    -	                 N   <	                 q  
 G	     a   V	     )   e	     yѯ  	 s	     ӯk   	     t)   	      Z             &       [             %      [             P&      [             [       [             :      ([             :      0[             :      8[             P;      H[             [      P[             ;      X[             <      `[             p:      h[             `(      p[             *      x[             ,      [             &      [              D      [             D      `             `      [                   [         %          [         6           _         =           _                    _         2           _         9           _         :           _         <           `         -           [         F           @`         @           Pa         A           a         E           b         C           b         ?           8^                    @^                    H^                    P^                    X^                    `^                    h^                    p^                    x^         	           ^         
           ^                    ^                    ^         
           ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                     _                    _                    _                    _                     _                     (_         !           0_         "           8_         #           @_         $           H_         &           P_         '           X_         (           `_         )           h_         *           p_         +           x_         ,           _         .           _         /           _         0           _         1           _         3           _         4           _         5           _         7           _         8           _         ;                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   HH?  HtH         5>  %>  @ %>  h    %=  h   %=  h   %=  h   %=  h   %=  h   %=  h   %=  h   p%=  h   `%=  h	   P%=  h
   @%=  h   0%=  h    %=  h
   %=  h    %=  h   %=  h   %z=  h   %r=  h   %j=  h   %b=  h   %Z=  h   %R=  h   %J=  h   p%B=  h   `%:=  h   P%2=  h   @%*=  h   0%"=  h    %=  h   %=  h    %
=  h   %=  h    %<  h!   %<  h"   %<  h#   %<  h$   %<  h%   %<  h&   %<  h'   p%<  h(   `%<  h)   P%<  h*   @%<  h+   0%<  h,    %<  h-   %<  h.    %<  h/   %<  h0   %z<  h1   %r<  h2   %j<  f        H;HsH)Ht,HtHHdL  LDHL1s  H|$0kLL$   [LSHl$xLd$pL9t?I|$(ID$8H9tID$8HpI<$ID$H9tID$HpIHH|$pH$   H)HtkH|$8H|$gL  H|$HLLH$   L9y  H$   Hpc  fUHAVAULuIATLeSLH@dH%(   HE1HALH  LU<     LPH  H
~=  PAUvH=O=  H FLLL  LHUdH+%(   u
He[A\A]A^]H)H)D  SH1>  HH=a:  H[Hf:  f     1I^HHPTE11H=:  f.     @ H=1:  H*:  H9tH9  Ht	        H=:  H59  H)HH?HHHtH9  HtfD      =]=   u+UH=j9   HtH=9  d5=  ]     w    HGff.     UH5P  SfHnHHXdH%(   HD$HH*  HG    HD$0    HD$8    HD$@    H$HX  HD$H   fHnH0  flHD$ H  )D$fH   HD$(UHL$@HPHHfo$fo\$HSfod$ fol$0HH@HSX` h0HD$HdH+%(   u
HXH[]HHATH)IUHSHHdH%(   HD$1H$HwBH?Hu1H$H} H] HD$dH+%(   uBH[]A\ HtH1HE HH$HEHLH$H} ff.     HVHufD  HH6H=9  HHSH5  H={  lHt'HHHH=8  HJ   [ H8  H=8  Hxw    [ff.     USHdH%(   HD$1H   HHHHL8  HHH:8  D$ H@H| tYHl$Hߺ   HH1   HH   |$
u=HD$dH+%(      H[]fH߾    Hl$nH=7  D  H7  H@H   H   }8 tFuCH2H     Hi7  Hb7  HxHߋw 
 HHE 
   H0  H@0H9tHH  H5  H1 fSH5  HH=x  iHHN   [ÐfD  ATUSHHdH%(   HD$1H  HHHH-6  HHHu6  D$:H@H|    HHt$   HHE H@L   MQ  A|$8    At$CHL%67  HHCC HH7  HC    H@I   H   }8    UCHLHD$dH+%(      HH[]A\ÐH:   H-5  <<    LI$
   Hh  H@0H9;L.fD  HHE H
5  
   H@0H9W
   HEH	5  H-5  HxHw @oVH@ ATIH=^  USHH5  H0dH%(   HD$(1/H   HHHH-4  HHHHl$	HH  LH$H;H9   HSH9tnoD$HSHCHteH<$HT$HD$     H<$H9tHD$Hp,HD$(dH+%(      H0   []A\f.     oL$HKH,$Hl$HD  H3  H-3  HxHw  HT$HtHt(HPHT$H;HS H<$8    D$HT$H;f.     AWAVAUATUSH8  |$L$  @|$dH%(   H$(  1HD$PHHD$iLH,  H$  H$(  HHD$(H,  HǄ$      H$(  H$   HD$ H$  HD$`HƄ$    fǄ$    HǄ$      HD$mH\$pH=a3  D$pH5  H]  H=>3  HD$p H5  :D$H53  1H$   H  HHD$8QH=2  HD$p H5  D$  Ht$H=H\$pH;\$xD$ H  |$   Ƅ$    {  L$   L$   HǄ$         |$   H5m2  1L$   H  LL$   H$   H$   H$   H9k  L9  H$   H$   o$   $   H  H$   H$   HǄ$        H$   H9tH$   HpH$   H$   LH$   L$   HLH$   AH9tH$   HpE~  H$   HSLL$   H3H\H$   H$   H$   L$   HL$   HHD$0$H|$0LH$   AL9tH$   HpH$   H9tH$   HpL$   E'  BHL$   HH5  H=  HT$0HT$0LHH1YfH=Y0  HS(H5(  L$   L$   H|$ 9  H|$L4D$L$   H;H$   H$   HtIL$   H$   HLH$   L{H$   H9tH$   HpH$   L9tH$   HpHHH9\$x|$ H=d/  u HT$LH5F
  D$L    	H=B/  HT$8H5
  Hl$xH\$pH9tCfH{(HC8H9t
HC8Hp&H;HCH9t
HCHp
HHH9uH\$pHtH$   HH)H$   H$   H9tH$   Hp|$   fD  +HC|$    H|$LH,  H5  H=  HH5  HH--  VHHHH-  H@H   HM  {8   sCHHnu@ L$   H|$LH$   LH$   HǄ$       Ƅ$    H$   H9tH$   HpH?     H|$H|$(H&  H$  HE&  H$(  H$  HD$ H9tH$   Hp-H%  H$  H$(  H$  H9tH$  HpH$  H$  H9tH$  HpH$  H$  H9tH$  HpH$h  H$x  H9tH$x  HpLH|$H$(  dH+%(     H8  []A\A]A^A_f     H=,  HH5	  D$p   #D     H5	  H=)  `   H5	  H=})  HHSH3H=j)  5   H5	  HH
   H5	  H
s H   H5	  HH   H5	  HHS0Hs(H   H5i	  HHHE H@L   M_  A|$8    At$CHH?@ L$   H|$LH$   LH$   HǄ$       Ƅ$    H$   D$H9H$   HpqH=y*  LH5I  :$D  LI$H=  
   H@0H9:L-fD  H5
  H=  HH5|  HH1@ |$ yH$     kf     H$   Ht"H   HqH$   H$   H$    H$        o$   H$   $   H$   H$   HW    HHH  
   H@0H9&H    H'  H-'  HxHw   $   H$   H$   (_ZHHH[HmHHHCHWHHHHHf1f        fD  wf.     ff.      f.     D  f.     D  Hi   SHHH   H   H9tH   HpH   H   H9tH   HpH{`HCpH9t
HCpHpH{@HCPH9tHsP[Hw    [f.     @ H  SHHH   H   H9tH   Hp/H   H   H9tH   HpH{`HCpH9t
HCpHpH{@HCPH9t
HCPHpH߾   [f.     HY  SHHHGH  HH   H   H9tH   Hp{H  H   HCH   H9tH   HpMH   H   H9tH   Hp*H{xH   H9tH   Hp
H{XHChH9t
HChHpH[w    Hy  SHHHGH  H>H   H   H9tH   HpH  H   HCH   H9tH   HpmH   H   H9tH   HpJH{xH   H9tH   Hp*H{XHChH9t
HChHpHH߾  [f.     HHtHwHH)f        HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     add Add a CDROM ident apt pkgCdromTextStatus::Prompt Acquire::cdrom::AutoDetect Debug::Acquire::cdrom Acquire::cdrom::mount APT::CDROM::NoMount Looking at device: 	DeviveName: ' 	IsMounted: ' 	MountPoint: ' Dir::Media::MountPath Failed to mount '%s' to '%s' %s        Report the identity of a CDROM  Usage: apt-cdrom [options] command

apt-cdrom is used to add CDROM's, USB flashdrives and other removable
media types as package sources to APT. The mount point and device
information is taken from apt.conf(5), udev(7) and fstab(5).
       Failed to read from standard input (not a terminal?)    Please insert a Disc in the drive and press [Enter]     Please provide a name for this Disc, such as 'Debian 5.0.3 Disk 1'      Repeat this process for the rest of the CDs in your set.        No CD-ROM could be auto-detected or found using the default mount point.
You may try the --cdrom option to set the CD-ROM mount point.
See 'man apt-cdrom' for more information about the CD-ROM auto-detection and mount point.        10OpProgress    18pkgCdromTextStatus    ;      H  8p  H<  d  t`    (  X    x    X  8  h  @  hl      (  (  8,  H  X  h  x    (                     zR x      h"                  zR x  $      @   FJw ?;*3$"       D                 \             p                                                        zPLR x    ,   $   t   '  AHLp
DAA    T        p 0   ,  (    BGD G0L
 AABD    `  /    TS    x  d    A{
Dc          Hx
PA     <    H          E  H     8     )  H  (        AAD0
AAC    @  )    Ag   4         BAA G0
 DABB          0   0        BKA NP
 FABK      |!       4   @  X   V  AC
DIEO. P. @
A     x     0       X  '    AZ   P          BBB B(A0A8G
8C0A(B BBBJ            @                    
                %?x   ;  ,        .  e u   B  J n  Q        	 	  
 

     '                                                                                                                                        &      %      P&              [      :      :      :      P;              [      ;      <      p:      `(      *      ,      &                                                               D              D                                                                                              
       =             Z                           [                    o                 
                   
       	                                           ^                                        P                          H      	                            o          o          o           o    Z      o                                                                                                           [                      6       F       V       f       v                                                               !      !      &!      6!      F!      V!      f!      v!      !      !      !      !      !      !      !      !      "      "      &"      6"      F"      V"      f"      v"      "      "      "      "      "      "      "      "      #      #      &#      6#      F#      V#                                                              `              /usr/lib/debug/.dwz/x86_64-linux-gnu/apt.debug g;Q! dd461a8e2fed32771c879fdfc69abfb8155641.debug    մ} .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .gcc_except_table .init_array .fini_array .data.rel.ro .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                     8      8                                     &             X      X      $                              9             |      |                                     G   o                   L                             Q                                                   Y             
      
      	                             a   o       Z      Z                                  n   o                                               }                         H                                 B       P      P                                                                                                                        @                                         `#      `#                                                p#      p#      q                                          =      =      	                                            @       @      %                                          (D      (D                                                 (E      (E      D                                          lI      lI      
                                          Z      J                                                [      K                                                [      K                                                [      K      @                                         ^       N                                               `       P                                                @`      P                    @                                    P      C                              )                     \P      4                                                    P      8                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     ELF          >     5      @       a          @ 8 
 @         @       @       @                                                                                                     h      h                                           '      '                    P       P       P      m
      m
                   [      k      k      8                         [      k      k      @      @                   8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd   R      R      R                           Qtd                                                  Rtd   [      k      k                           /lib64/ld-linux-x86-64.so.2              GNU                     GNU v <R/	REdM1         GNU                      7         J 
  7   9   ;   emRCώ                                                 q                                          `                     y                                                                                                         	                     <	                     f                                                                                                                                                                        	                     F                     #                     C	                     ]                     	                                                                                    i                                          m                                          :                                          3                     
                                                                                    %                     F                                                                %                     -                                                                                                                                                       ,                                                                 -	  "                     "  A      w      X    @p             U    q             w    p               "  C      g       _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable _Z16ParseCommandLineR11CommandLine7APT_CMDPKP13ConfigurationPP9pkgSystemiPPKcPFbS0_EPFSt6vectorI19aptDispatchWithHelpSaISF_EEvE _ZNSt8_Rb_treeINSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEESt4pairIKS5_S5_ESt10_Select1stIS8_ESt4lessIS5_ESaIS8_EE29_M_get_insert_hint_unique_posESt23_Rb_tree_const_iteratorIS8_ERS7_ _ZNSt8_Rb_treeINSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEESt4pairIKS5_S5_ESt10_Select1stIS8_ESt4lessIS5_ESaIS8_EE24_M_get_insert_unique_posERS7_ _Z19DispatchCommandLineR11CommandLineRKSt6vectorINS_8DispatchESaIS2_EE _ZNK11CommandLine8FileSizeEv _ZN3APT13Configuration14getCompressorsEb _ZNK13Configuration10FindVectorEPKcRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEb _ZN11CommandLineD1Ev _ZN13Configuration3SetEPKcRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _ZN11CommandLineC1Ev _ZN3APT13Configuration16getBuildProfilesB5cxx11Ev _ZNK13Configuration4FindB5cxx11EPKcS1_ _ZNK13Configuration7FindAnyB5cxx11EPKcS1_ _ZN13Configuration5ClearERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _config _ZN11GlobalError5ErrorEPKcz _ZN3APT13Configuration12getLanguagesB5cxx11ERKbS2_PPKc _ZNK13Configuration5FindBEPKcRKb _ZN3APT13Configuration16getArchitecturesB5cxx11ERKb _ZN13Configuration3SetEPKcRKi _ZN13Configuration4DumpERSoPKcS2_b _Z12_GetErrorObjv _system _Z8SubstVarRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES6_S6_ _ZNK13Configuration9ExistsAnyEPKc _ZSt20__throw_length_errorPKc _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_appendEPKcm _ZNSt9basic_iosIcSt11char_traitsIcEE5clearESt12_Ios_Iostate _ZdlPvm _ZSt29_Rb_tree_insert_and_rebalancebPSt18_Rb_tree_node_baseS0_RS_ _ZSt18_Rb_tree_incrementPSt18_Rb_tree_node_base _ZNSt8ios_base4InitD1Ev __cxa_begin_catch _ZSt16__throw_bad_castv __gxx_personality_v0 _ZSt16__ostream_insertIcSt11char_traitsIcEERSt13basic_ostreamIT_T0_ES6_PKS3_l _ZNSo3putEc _ZNKSt5ctypeIcE13_M_widen_initEv _ZNSo5flushEv _Znwm _ZNSt8ios_base4InitC1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_createERmm __cxa_rethrow _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE10_M_disposeEv _ZSt4cout __cxa_end_catch _ZSt18_Rb_tree_decrementPSt18_Rb_tree_node_base _ZSt19__throw_logic_errorPKc _Unwind_Resume __stack_chk_fail dgettext strlen __cxa_atexit __libc_start_main __cxa_finalize memcmp memcpy libapt-private.so.0.0 libapt-pkg.so.6.0 libstdc++.so.6 libgcc_s.so.1 libc.so.6 GCC_3.0 APTPRIVATE_0.0 GLIBC_2.4 GLIBC_2.14 GLIBC_2.34 GLIBC_2.2.5 APTPKG_6.0 GLIBCXX_3.4.11 GLIBCXX_3.4.9 CXXABI_1.3.9 CXXABI_1.3 GLIBCXX_3.4.21 GLIBCXX_3.4                                                                          	   
      
   
                          	         P&y   	        J	         I   
 	        	     P   ii
  
 	        	        	     ui	   	        `	         N   	        r	         a   	     )   	     yѯ  	 
     ӯk   
     q   
     t)   +
      k              6      k             4      k             5      p             p      o         7           o                    o         /           o         3           o         4           o         6           p         ,           @p         9           p         ;           q         :           Pn                    Xn                    `n                    hn                    pn                    xn                    n                    n                    n         	           n         
           n                    n                    n         
           n                    n                    n                    n                    n                    n                    n                    n                    n                     o                    o                    o                    o                     o                    (o                    0o                    8o                    @o                     Ho         !           Po         "           Xo         #           `o         $           ho         %           po         &           xo         '           o         (           o         )           o         *           o         +           o         -           o         .           o         0           o         1           o         2           o         5                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   HHO  HtH         5N  %N  @ %N  h    %N  h   %
N  h   %N  h   %M  h   %M  h   %M  h   %M  h   p%M  h   `%M  h	   P%M  h
   @%M  h   0%M  h    %M  h
   %M  h    %M  h   %M  h   %M  h   %M  h   %M  h   %zM  h   %rM  h   %jM  h   %bM  h   p%ZM  h   `%RM  h   P%JM  h   @%BM  h   0%:M  h    %2M  h   %*M  h    %"M  h   %M  h    %M  h!   %
M  h"   %M  h#   %L  h$   %L  h%   %L  h&   %L  h'   p%L  h(   `%L  h)   P%L  h*   @%L  h+   0%L  h,    %L  h-   %L  h.    %L  h/   %L  f        H;HsH)HtHH|$(H|$H|$H|$ LH\LHLHLH}H8  H@@  HdH  H  H `  HHHL!HLH  HLH}HLH8Y  HLKHLSHLO    UHAWAVLpIAUATSLH  dH%(   HE1L"HALH  H   H L7K  H
L  PH  PAVƅ0L0H 1ƅHHLHL H8
H]LH5,  L5L  H  HLRHL%,  HH;t( H=K  HLILH H9uƅ0HH HHH H5+  HL=K    HLHL%+  HH;t%H=IK  HLI+LH H9uH`H H5T+  HH  H8Hǅ8    H5*  HHL=J  HPHǅ@    HǅX    H@HHHD  H8A   HLH*  uH-HHH}HXH(HPH9_  D  HXH`HHhHEH  HPHPH0H?H+EH9L  HH?H+EH      H5H*  HIHEHEIMfHHIFL9
  HUIVHUHEHXM&AF H}IF    H9t
HEHpHPHUHH5SI  HL@M
  LeH0L}L@LMD  Md$MtUMt$(HI|$ I9IFHtL-uI)޸   I9}HI9~DxMMd$MuH@IH0I9tCMu(LIu M9IFHtLuM   M)I9}-I   |DȅyHPH HL7  L}HXI9tHELHpwH}HHH9t
HEHpZHP HPH9(H8  H   QH8H5((  HL=G  T  HLHQHELHXL;m  fL@M=  IE MeHPHXL@LXMIH0LHH
 Md$MtcMt$(HXI9HIFHtI|$ L>u&HXI)Ƹ   I9}HI9~DxLMd$MuHHLXIMHPHXH@I9teMp(LM9IFHt"Ip H0LPLPu%L   L)H9L  HH9~
ȅ3  MHXH`HHhHEH  IVI6H?H+EH9#  HH?H+EH     H5_&  HIHEHEI$Mt$HHID$L9	  HUIT$HUHEHXM4$AD$ H}ID$    H9t
HEHpHXLeL=>E  LuHELI  I+  M  HXLeB  H?H+EH     H5U%  HHuLLH}HXH9t
HEHpHD  LeM} LuHPHXLHEI  I  M
  HXLeB  H?H+EHE  	   H5$  H%HuHPLH}HXH9t
HEHpEHC  LeM}@LuHPHXLHEIO  I  Md  HXLeB  H?H+EH     H5#  HpHuHPLMH}HXH9t
HEHpA   LeL=-C  LulHXLHEI  I  M  HXLeB  H?H+EH     H5M#  HHuHlL5H}HXH9t
HEHpMe`L=#  M;eh    HXHuHHUL5WB  HEH  H?H+EH  
   LH#HuLLH}HXH9t
HEHpGI M9ehyMexL=~"  M;      HXHuHHUL5A  HEH[  H?H+EH{     LHHuLLdH}HXH9t
HEHpI M9   vH}HHH9t
HEHpyIŘ   L9H8HlH5!  HL=@    HL1HHH;t,f     H=@  HH5s!  H H9uL LLLdH8
  H  H@  HHv
  Hj
  L  LHUdH+%(   ,  He[A\A]A^A_]D  Mp@    AE@ AE@ AE@ AES@ H81HHEHHHELLrLHEfH81HHEHHHELL2LHEfH81HHEHHHELLLHEfH81HOHEHHHELLLHEfHH
HHLIF HHHHL\ID$fL@HXHXHX#HXWH=  xH=  lH=  `H=  TH=  HcH=  7H=t  +H=h  H=\  H=P  HIHHHIIHI	IIIIIIIIIHIHIIIIHIHIHI@I8    SH<  HH=:  H[H:  f     1I^HHPTE11H=e:  f.     @ H=:  H:  H9tHv:  Ht	        H=:  H5:  H)HH?HHHtHE:  HtfD      =;   u+UH=9   HtH=&:  Id;  ]     w    SH5  H=  Ht'HHHH=B:  H   [ H):  H=":  Hxw c   [ff.     UH-  H5)  SHHHXdH%(   HD$HHc  H$H6  HD$\HH5  HD$H>  HD$H  HD$ 0fH   HC    HD$(HD$0    HD$8    HD$@    HL$@HPHHfo$foT$HSfo\$ fod$0HH@HSPX `0HD$HdH+%(   u
HXH[]HfATH)IUHSHHdH%(   HD$1H$HwBH?Hu1H$H} H] HD$dH+%(   uBH[]A\ HtH1HE HH$HEHL\H$H} ff.     ATH)IUHSHHdH%(   HD$1H$HwBH?Hu1H$H} H] HD$dH+%(   uBH[]A\ HtH1FHE HH$HEHLH$H} -ff.     fAWAVAUATUSH   dH%(   H$   HGHx 7  Hh*  fD  H=Y8    H] H  HgHH7  HH   H5  HL$   H  H$   HrLLt$ HD$H$   H$   H  L$   HrHHD$L$   HD$`HT$@H57  1HHD$YH$   HT$Ht$LHHD$(7H$   H$   HHH D$?'H@H|   Ht$?   HHHH@L   ME  A~8 d  AvCHHH$   H$   H9tH$   HpH|$`HD$pH9tHD$pHpH$   L9tH$   HpH$   HD$H9tH$   HpH|$@L9tHD$PHpHH}    H]H!  ;   HLd$PLl$@Ld$@?HLH Ht$@HD$H|/H?H9     H5  LHt$@Zf.     '   HCfD  L0IH  
   H@0H9}Lp    HI4  HB4  HxHߋw  H$   dH+%(   utH      []A\A]A^A_H5  H=y  HHH$   dH+%(   u,H   H1[]A\A]A^A_}H=Z  ,HpHrH~HlHx@ HtkUHSHH}HH{@HCPHmH9t
HCPHpH{ HC0H9t
HC0Hp~`   HqHuH[]D  ff.     @ AUH5  ATUSHHHH=3  dH%(   HD$81HT$D$Ld$H53  LH
  H  HHL$   HCHPHXHt3L-c2  HL$H=d3  AL9HSHHuHL$HD$ H9tHD$ HHp|HD$8dH+%(   u/HH   []A\A]@ H=3  D1H51  hHf.      ATIUSHoHH9t+D  H;HCH9t
HCHpH H9uI$HtIt$HH)[]A\f     []A\f.     AULoATUSHdH%(   HD$1L/H   HHIXH$HHwKHu5A$SHCAD  HD$dH+%(   uUH[]A\A]     Ht$f     H1H3HIH$HCLHLH$L+H=r  Mf.      AVAUIATUSLgH/I9  D  L   H]xI9t&H;HCH9t
HCHpH I9uH]xHtH   HH)cLuhH]`I9t,fD  H;HCH9t
HCHp7H I9uH]`HtHupHH)H}@HEPH9t
HEPHpH} HE0H9t
HE0HpH} HEH9t
HEHpHŘ   I9Im HtIu[HH)]A\A]A^[]A\A]A^f.     D  HHtHwHH)if     f.     D  AWAVAUATUSH(LH|$Ht$M   HD$   HLpHT$ IG   HtWIMg(Mo M9LIFHtH|$HLuLL)H9}HH9~xIG1HuL@ugHt>Ht$HL~t*1҅LHHIH(L[H]A\A]A^A_f     LL)HiH   |g@ LHD$L9xt9LL6HT$L`(Lh ILrH
LM9HL$IFX LE1oD  1cE1[f     AWHGAVAUATIUHSHH9O  LjLv(HL:HN M9LIFH   HLHT$H$fH$HT$uLL)H=H=   |mxiLH4uLL)H=H=   6  .  H1H[]A\A]A^A_f.     LL)H=H=   |yHHH9]tHLLp(Hx HM9IFHtLH$H$uM)I   I   |D   1Hy HEHDHPf     H(    H_ LrH2Lk(LH{ M9IFHt	uM)I   I   |DypHH1[]A\A]A^A_fD  H9] tHBLHH(Hp IL9HFHtLH$H$uLH)H=H=   |xHLH[]A\A]A^A_11H{ IEIEHPf     AWAVAUIATI`   UHSH(Ht$*HuLp0HLx Lp HE H9   HC HELEHC0E H{@Hu Iu HE    HkPIULC(Hk@H:Ht$LLIHtBIL$   H   LHID$(IH(L[]A\A]A^A_f     H{@IH9t
HCPHpgH{ I9t
HC0HpQ`   HDfLELLD$IHLHt$Ht$LD$    H9HHk(Lr(L9LHFHtH{ Iu HL$HL$uL)1HH   |
   HLHQ`   HtHGHo   HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         Usage: apt-config [options] command

apt-config is an interface to the configuration settings used by
all APT tools, mainly intended for debugging and shell scripting.
        get configuration values via shell evaluation   show the active configuration setting apt shell dump Arguments not in pairs basic_string::append =' '\'' APT::Config::Dump::EmptyValue %F "%v";
 APT::Config::Dump::Format Acquire::Languages Acquire::Languages:: APT::Architectures APT::Compressor:: APT::Architectures:: APT::Compressor ::Name Extension Binary Cost CompressArg:: UncompressArg:: APT::Build-Profiles APT::Build-Profiles::       basic_string: construction from null is not valid   ;      |  <      X     l  L  |   lh      (  L\  l    T  x    l  <  P  l           zR x      "                  zR x  $      `   FJw ?;*3$"       D   H              \             p   d    A{
Dc        zPLR x    ,   $   ,  3  AOJp
DAA    T      
  p 0          BGD G0L
 AABD 0   0  l    BGD G0L
 AABD h          BBB B(A0A8Gq
8F0A(B BBBAx
8F0A(B BBBE       D  8   o  (     xq    FDD ZAAF <        '  BIA A(Gp
(F ABBE           p 4     e    BDA H
ABNAAB  8         BFA A(D@c
(A ABBI L     xA   BBE A(A0
(G BBBEA(A BBB      D  x!       H   X  w   BBB B(A0A8D`
8D0D(B BBBJ |     g   BFB B(D0D8DP
8A0A(B BBBK
8F0A(B BBBGZ
8G0A(B BBBF   L       ;  BBB E(I0D8D`
8D0A(B BBBJ 8     I    AC
DOd. F. )
F      $  P          x'    AZ          FG    m    9  L    3  
:%  b     !!       }      9  {      9      9          	 
  
 
  
                      +              k                                                                                                                                                                                                                                                                                                                                                                                      6      4      5             J	             `	             r	             	             	                     
       G             k                           k                    o                 	                   
       b
                                          8n                                                                  P      	                            o          o    x      o           o          o                                                                                                           k                      6       F       V       f       v                                                               !      !      &!      6!      F!      V!      f!      v!      !      !      !      !      !      !      !      !      "      "      &"      6"      F"      V"      f"      v"      "      "      "      "      "      "      "      "      #      #      &#                                                              p              /usr/lib/debug/.dwz/x86_64-linux-gnu/apt.debug g;Q! 76003cdc52998aeb2f095245fd64f24d3110d8.debug    R0`^ .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .gcc_except_table .init_array .fini_array .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                          8      8                                     &             X      X      $                              9             |      |                                     G   o                   <                             Q                                                   Y             	      	      b
                             a   o                   z                            n   o       x      x                                  }                         P                                 B                                                                                                                                                                              0#      0#                                                @#      @#      A$                                          G      G      	                                            P       P                                                R      R                                                 pS      pS                                                 X      X                                                k      [                                                k      [                                                k      [      @                                        8n      8^                                                p       `                                                @p      `      `              @               
                     `      C                                                   \`      4                                                    `      +                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             ELF          >    J      @                 @ 8 
 @         @       @       @                                                                                                     8      8                    @       @       @      P      P                                                                                   x                         `      `      `      @      @                   8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd                     T      T             Qtd                                                  Rtd                     `      `             /lib64/ld-linux-x86-64.so.2              GNU                     GNU (oJ-4,+3`N         GNU                      n         J"   bbm	 	P h `q % `n   q   r   t       v   w   z                                j9Q@q%{~!Qf
	k-eݼpzhIբ+t<2Wr:l/DVnv em-Cy\                            T                     '                     l	                     H                     F
                     	                                           j                     H                                          +
                     	                                          #                                                                                                                              d                     	                                          J                                          ]                     v                                          +                     
                     
                                                                                                         C                                          e                                          4                                          _                     j                     l                     
                                                                                                         3                     	                     
                     c                                                                                    )                                                                                    `                                                               
                                                                                                                              
                                          |                                          n
                     F                     \                     F                      

                                          2                                                                X                                                                                    
                                                               M                                           5                                            w
                     
                                                                                    +	                                                               d                     Y	                                            Y                     ,                       S                     (                     T                     x                     	    `                                  @               !                [                                    !  X      0         !  @      E         !                 "         e      K  !  h                                !        0         !               "  !        
                         P  !  (              
  !  8                  @               !  H              h  !        P                        i                   !  0                              N  "                   
  !        @       C                   !                 "                _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable _Z16ParseCommandLineR11CommandLine7APT_CMDPKP13ConfigurationPP9pkgSystemiPPKcPFbS0_EPFSt6vectorI19aptDispatchWithHelpSaISF_EEvE _ZTI10OpProgress _Z7DoCleanR11CommandLine _ZN9CacheFile9CheckDepsEb _ZTVN3APT16PackageContainerISt6vectorIN8pkgCache11PkgIteratorESaIS3_EEEE _Z11InitSignalsv _Z9DoInstallR11CommandLine _Z5DoMooR11CommandLine _ZNSt6vectorIN8pkgCache11PkgIteratorESaIS1_EE17_M_realloc_insertIJRKS1_EEEvN9__gnu_cxx17__normal_iteratorIPS1_S3_EEDpOT_ _ZTIN3APT16PackageContainerISt6vectorIN8pkgCache11PkgIteratorESaIS3_EEEE _Z15InstallPackagesR9CacheFileRN3APT16PackageContainerISt6vectorIN8pkgCache11PkgIteratorESaIS5_EEEEbbbRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEERK11CommandLine c1out _Z10ShowBrokenRSoR9CacheFileb _Z13DoDistUpgradeR11CommandLine _Z9DoUpgradeR11CommandLine _Z11DoChangelogR11CommandLine _Z19CheckIfSimulateModeR11CommandLine _Z10InitOutputPSt15basic_streambufIcSt11char_traitsIcEE _Z8DoUpdateR11CommandLine _Z8DoSourceR11CommandLine _ZTI9CacheFile _ZTS10OpProgress _Z10DoDownloadR11CommandLine _ZTV9CacheFile _Z10DoBuildDepR11CommandLine _Z19DispatchCommandLineR11CommandLineRKSt6vectorINS_8DispatchESaIS2_EE _ZTV10OpProgress _Z11DoAutoCleanR11CommandLine _ZTS9CacheFile _ZTSN3APT16PackageContainerISt6vectorIN8pkgCache11PkgIteratorESaIS3_EEEE _ZN3APT25PackageContainerInterfaceC2ENS_14CacheSetHelper11PkgSelectorE _ZTV14OpTextProgress _ZNSt8_Rb_treeINSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEESt4pairIKS5_S5_ESt10_Select1stIS8_ESt4lessIS5_ESaIS8_EE17_M_emplace_uniqueIJS6_IPKcSH_EEEES6_ISt17_Rb_tree_iteratorIS8_EbEDpOT_ _ZN19pkgVersioningSystem13GlobalListLenE _ZN11pkgDepCache8MarkKeepERKN8pkgCache11PkgIteratorEbbm _ZN14OpTextProgress4DoneEv _ZN11GlobalError6NoticeEPKcz _ZN18pkgProblemResolverC1EP11pkgDepCache _ZNK11CommandLine8FileSizeEv _ZNK11IndexTarget6FormatENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _ZN11CommandLineD1Ev _ZN13pkgSourceList4Type10GlobalListE _ZTIN3APT25PackageContainerInterfaceE _ZN11CommandLineC1Ev _ZNK13Configuration4FindB5cxx11EPKcS1_ _ZN3APT25PackageContainerInterfaceD2Ev _ZN18pkgProblemResolver7ResolveEbP10OpProgress _ZN19pkgVersioningSystem10GlobalListE _ZN13pkgSourceList4Type13GlobalListLenE _ZN9pkgSystem13GlobalListLenE _config _ZN11GlobalError5ErrorEPKcz _ZTI12pkgCacheFile _ZN12pkgCacheFile11BuildCachesEP10OpProgressb _Z8ioprintfRSoPKcz _ZN11pkgDepCache11ActionGroupD1Ev _ZN12pkgIndexFile4Type13GlobalListLenE _ZNK13Configuration5FindBEPKcRKb _ZN3APT7Upgrade7UpgradeER11pkgDepCacheiP10OpProgress _ZN11pkgDepCache10MarkDeleteERKN8pkgCache11PkgIteratorEbmb _ZNK11IndexTarget6OptionB5cxx11ENS_10OptionKeysE _ZN12pkgCacheFileD1Ev _ZN11pkgDepCache11ActionGroupC1ERS_ _ZN11pkgDepCache8MarkAutoERKN8pkgCache11PkgIteratorEb _ZN12pkgCacheFileD2Ev _ZN10OpProgressC2Ev _ZN12pkgIndexFile4Type10GlobalListE _ZN12pkgCacheFile4OpenEP10OpProgressb _ZN9pkgSystem10GlobalListE _ZN8pkgCache7FindPkgEN3APT10StringViewE _ZN12pkgCacheFile15BuildSourceListEP10OpProgress _ZN12pkgCacheFileC1Ev _ZN11pkgDepCache14writeStateFileEP10OpProgressb _Z12_GetErrorObjv _ZN18pkgProblemResolverD1Ev _ZN14OpTextProgressC1ER13Configuration _ZN12pkgCacheFileC2Ev _system _Z8SubstVarRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES6_S6_ _ZN11pkgDepCache11MarkInstallERKN8pkgCache11PkgIteratorEbmbb _ZN8pkgCache11PkgIteratorppEv _ZNKSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE7compareEPKc _ZNSt6localeD1Ev _ZSt20__throw_length_errorPKc _ZTTNSt7__cxx1119basic_ostringstreamIcSt11char_traitsIcESaIcEEE _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_assignERKS4_ _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_appendEPKcm _ZTVNSt7__cxx1119basic_ostringstreamIcSt11char_traitsIcESaIcEEE _ZNSt9basic_iosIcSt11char_traitsIcEE5clearESt12_Ios_Iostate _ZNSt8ios_baseD2Ev _ZdlPvm _ZNSolsEi _ZSt29_Rb_tree_insert_and_rebalancebPSt18_Rb_tree_node_baseS0_RS_ _ZTVSt15basic_streambufIcSt11char_traitsIcEE _ZNSt8ios_base4InitD1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE10_M_replaceEmmPKcm _ZTVNSt7__cxx1115basic_stringbufIcSt11char_traitsIcESaIcEEE _ZNKSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE4findEcm _ZNSt6localeC1Ev _ZTVN10__cxxabiv117__class_type_infoE _ZTVN10__cxxabiv120__si_class_type_infoE __cxa_begin_catch _ZSt16__throw_bad_castv _ZNSt8ios_baseC2Ev __gxx_personality_v0 _ZSt16__ostream_insertIcSt11char_traitsIcEERSt13basic_ostreamIT_T0_ES6_PKS3_l _ZNSo3putEc _ZNKSt5ctypeIcE13_M_widen_initEv _ZNSo5flushEv _Znwm _ZTVSt9basic_iosIcSt11char_traitsIcEE _ZNSt9basic_iosIcSt11char_traitsIcEE4initEPSt15basic_streambufIcS1_E _ZNSt8ios_base4InitC1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_createERmm __cxa_rethrow _ZNSt7__cxx1119basic_ostringstreamIcSt11char_traitsIcESaIcEED1Ev _ZSt24__throw_out_of_range_fmtPKcz _ZSt18_Rb_tree_incrementPKSt18_Rb_tree_node_base _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE10_M_disposeEv _ZSt4cout _ZNKSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE4findEPKcmm __cxa_end_catch _ZSt18_Rb_tree_decrementPSt18_Rb_tree_node_base _ZSt19__throw_logic_errorPKc _Unwind_Resume __stack_chk_fail dgettext strlen __cxa_atexit strcasecmp __libc_start_main tolower __cxa_finalize memcmp toupper memcpy libapt-private.so.0.0 libapt-pkg.so.6.0 libstdc++.so.6 libgcc_s.so.1 libc.so.6 GCC_3.0 GLIBC_2.4 GLIBC_2.14 GLIBC_2.34 GLIBC_2.2.5 APTPRIVATE_0.0 APTPKG_6.0 GLIBCXX_3.4.20 GLIBCXX_3.4.11 GLIBCXX_3.4.9 CXXABI_1.3.9 CXXABI_1.3 GLIBCXX_3.4.21 GLIBCXX_3.4                                                                                        	           
      
                                                                                                 P&y                P   ii
          	              ui	           s         I                     N                    p        a  
      )   .     yѯ  
 <     ӯk   I     q   T     t)   c                   K                   J                   PK                                                                            Є                                      0                   `                                                                                                        0             0      8                    @                                @      (                   8                                      P         x          H                   X         v                   C          0         C                   c                     %          @                    x                             	                                                                                                    '                    )                    -                    1                    4                    =                    \                    g                    i                    k                    m                    U           H                    h         x                               8                    X         t                    v           @                    `         n                                        o                    r                                        y                    s                                                              }           @         p                                                                                                                                                                
                                         
                                                                                            (                    0                    8                    @                    H                    P                    X                    `                    h                    p                    x                                                  !                    "                    #                    $                    &                    (                    *                    +                    ,                    .                    /                    0                    2                    3                    5                     6                    7                    8                    9                     :           (         ;           0         <           8         >           @         ?           H         @           P         A           X         B           `         D           h         E           p         F           x         G                    H                    I                    J                    K                    L                    M                    N                    O                    P                    Q                    R                    S                    T                    V                    W                    X                     Y                    Z                    [                    ]                     ^           (         _           0         `           8         a           @         b           H         d           P         e           X         f           `         h           h         j           p         l                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   HHՏ  HtH         5  %  @ %  h    %z  h   %r  h   %j  h   %b  h   %Z  h   %R  h   %J  h   p%B  h   `%:  h	   P%2  h
   @%*  h   0%"  h    %  h
   %  h    %
  h   %  h   %  h   %  h   %  h   %  h   %ڋ  h   %ҋ  h   %ʋ  h   p%  h   `%  h   P%  h   @%  h   0%  h    %  h   %  h    %  h   %  h    %z  h!   %r  h"   %j  h#   %b  h$   %Z  h%   %R  h&   %J  h'   p%B  h(   `%:  h)   P%2  h*   @%*  h+   0%"  h,    %  h-   %  h.    %
  h/   %  h0   %  h1   %  h2   %  h3   %  h4   %ڊ  h5   %Ҋ  h6   %ʊ  h7   p%  h8   `%  h9   P%  h:   @%  h;   0%  h<    %  h=   %  h>    %  h?   %  h@   %z  hA   %r  hB   %j  hC   %b  hD   %Z  hE   %R  hF   %J  hG   p%B  hH   `%:  hI   P%2  hJ   @%*  hK   0%"  hL    %  hM   %  hN    %
  hO   %  hP   %  hQ   %  hR   %  hS   %  hT   %ډ  hU   %҉  hV   %ʉ  hW   p%  f        H;HsH)HtH4H<A  H?  L|$ t%H=  HT$ D$  H5[  4  1H$   L|$@HtH$   H)|LH|$L$   H$h  HD$H9tH$x  Hp?H  H$@  H$   H$P  H9tH$P  Hp
H$   H$0  H9tH$0  HpH$   H$  H9tH$  HpH$   H$   H9tH$   HpH$  dH+%(   uHĨ  []A\A]A^A_H|$h   1HL=  H|$?  HHH?  LH  HLbLL$   LH|$H<$H|$8mH$   
  H$   @  H$   FH$   HL)LLLH|$H|$HrH|$LH|$HH|$@GH  H$  H$h  HD$XH9uYH|$PH  H$h  
Hv  H
w  H$`  H@H`  H|$`Hg  H$  H$  HpH|$0U:  L:  LMLM0HLMNLM;  H=  Hm;  LuD  UHAVAAUIATLeSH]HH@dH%(   HE1HEHH  L܆     LPHd	  H

  PAUH |H=Շ  HHLH}LA2F  HzAHUdH+%(   u
He[A\A]A^]I#I#D  SHɈ  HH=a  H[Hf  f     1I^HHPTE11H=ׄ  f.     @ H=1  H*  H9tHބ  Ht	        H=  H5  H)HH?HHHtH  HtfD      =   u+UH=:   HtH=  9d͇  ]     w    ATH5_W  UH-ZT  SHHH  dH%(   H$x  H-T  H$H  HD$H5T  HHD$HT  HD$Hr  HD$ L%y  H5W  HHD$(HS  Ld$8HD$0H5W  HLd$PHD$@HS  HD$HwH5S  HLd$hHD$XHS  HD$`RH5V  HL$   HD$pHS  HD$x*H5V  HL$   H$   HeS  H$   L$   HHgS  H$   HBS  H5V  H$   H8S  H$   H5S  L$   L%  H$   HX  H$   H$   H	S  H$   L$  HǄ$       HǄ$       HǄ$       HǄ$       H$  4H5R  HL$(  H$  HR  H$   HR  H$8  H.  HǄ$0      H$@  L%  H5U  HH$H  HR  L$X  H$P  H5~R  HL$p  H$`  H\R  H$h  yH5U  HH$x  HhR  H$  H  H$  DL%-  H5U  HH$  HR  H$  L$  H5U  HL$  H$  HQ  H$  HQ  H$  H  HǄ$      H$  H5Q  HH$  HQ  H$  H7  H$  H5[U  HH$  HQ  H$  H:  H$   MHH5[U  H$  HqQ  H$  H
  H$  fp  HC    H$   H?Q  H$(  HI  H$0  H.Q  H$@  H  HǄ$8      H$H  HǄ$`      HǄ$h      )$P  _Hp  HHxHHSH$HHH$h  Hh  H)H)p  HHSH$x  dH+%(   uHĀ  H[]A\BHf.     ATH)IUHSHHdH%(   HD$1H$HwBH?Hu1H$H} H] HD$dH+%(   uBH[]A\ HtH1HE HH$HEHLH$H} ff.     fAUATIUHSHHLnII9t;H4CI9uH] ;   1HH5eO  HHt*   f.     HU -HU H\;W1Ҿ_   HfHuI|$H]HEI<$HU H9tnI$HUIT$ID$LH] HE    E H[]A\A]fD  HMHH)¸   H9HGH9r4A   H
N  Hf HHtHHEHH=oR  1H5kN  I     HtkUHSHH}HH{@HCPHmH9t
HCPHpH{ HC0H9t
HC0Hp`   HHuH[]D  ff.     @ AWH5M  AVAUATUSH(H=~  dH%(   HD$1L|$D$ LrufH5Q  H=[L  +HH<  HwHH=-}  H5HD$dH+%(     H(   []A\A]A^A_D  H5QM  H=K  HH  HHH|  HHH|  H@H   H|  }8   uCHL-80  H{11H=/|   O      H9|  L$H|  Ht
L;`  HD$ H@H|       HJ   H5L  HMt$M8  L0LHHHH@L   M  A~8   AvCHE1H1H={   l  l$7    HH}HH@ L9ugI9tkAFH;z  I+  Hz  H,HH;-
{  H@HD  D$ HtHߺ   L,H}HH@ L9tLЄtH5uK     HHuH  HH4$H4$HHH5@K     HHE H
(.  1H@8H9q  HA   H5K  HHHE H@H   H=  8   wCH{HCAFH;y  Il$EH;y  HE11H=y   L-J  L%J  u3  fD  uCHHAFH;qy  I  Hz  LHL<º   IoH   HHHH   LHIoH  HHHHgHH@H   H  }8 EHMHE 
   H
,  H@0H9$HHx  H=x  Hxw HHE 
   H9,  H@0H9*H    D$*Hn*   H     H<$H<$
   H
+  HH@0H9D  HHxHߋw gfD  H51y  HЉ|D     LH LI
   H
Q+  H@0H9L
    HHxHߋw KfD  HHxHߋw +/fD  HHxHߋw fD  HD$*H@H| 8*   HkfD  E11H=v   L%G  L-*  u3fD  uCH,HAFH;Iv  IHv  LHH,º   HmHt\HHHHHH@H   Htn}8 uHHE 
   H@0L9jH]HHxHߋw HBv  H;v  HxHߋw hf.     ATL%?m  USH`  dH%(   H$X  1HHl$`HfHL$$H5v  )D$@HD$P       HHHn  HHD$`H$(  H$8  H9tH$8  Hp,Hml  H$   HD$`H$  H9tH$  HpH$   H$   H9tH$   HpH$   H$   H9tH$   HpH$   H$   H9tH$   Hp1HH|$@L$$Ht
Ht$PH)cHH$X  dH+%(   uH`     []A\rIFIFfAWAVIAUL-l  ATUSH  dH%(   H$  1H$   Ld$@HHD$H$x  LL$   HD$H$h  HǄ$p      Ƅ$x   fǄ$    HǄ$      H$  H5t  L=j  fHL|$@HǄ$       )$   ~   HL^H߉L$  H$h  H$x  H9tH$x  HpHGj  H$@  H$  H$P  H9tH$P  HpH$   H$0  H9tH$0  HpH$   H$  H9tH$  HpH$  H$  H9tH$  Hp_@  I^H5A  L3L`H  LsH[D$    H   HD$ H$HH<$HHHD$hHpHD$(H   HT$ H;P@   rHH8H    H)H@   HHD1ۋt
H   HH5G  H=@  HH=s  H1*H4$H|$h@I^ID$H<H5G  H=@  HWHH1YD  {H5A  H=X@  H%HHH1H5@  L@fD  HHD1ۋt
H   HH5F   HdBHEff.      AWAVIAUATUSH  H$   H$@  HdH%(   H$  1H$   1H?L$p  11HL$   H$`  H$   M  Hv  H5:q  1H$  HF  HH$   H$  H=
q  H5{F  Ƅ$  HH$   L$   L~-i  $   H$   IG(H$   -h  HD$h)l$pI;G0  fD  H\$hH$   H3HP H$  $    Ǆ$      HǄ$       HD$H$(  H$0  HǄ$8        H;HP0H?  H?  H$   HEL$   H
?  LH$   H$   )  H;H$   1HPHHHH  H9BX  @t.H$   H   H
j?  LH$   H$   w)  Et.H$   H   H
>?  LH$   H$   B)  Et.H$   H   H
?  LH$   H$   
)  Et.H$   H   H
>  LH$   H$   (  Et.H$   H   H
>  LH$   H$   (  H$   H;$     $   IH$  HD$8J	$    $   H|$8LH$   <  L$  H$`  LH$Lt$`Hud  11H$  fHFe  f$  H$`  $  $  HXH#e  HǄ$      HHdHd  foL$pfH$  H$  HHD$P)$`  )$p  )$  )$  He  LH$h  H$h  H$  Ǆ$     HD$XH$  HǄ$      Ƅ$   $   e  L$@  H$P  H$   F  H$@  HL$8LH$(FILENAHH$   H$  CAME)HHǄ$H     Ƅ$[   HD$@AH$@  H9tH$P  HpCH$  H$  H$   L$0  HHD$IHL$   LLLH$@  H$  H9  H$  H9  H$  H$  o$H  $  H  H$@  H$P  HǄ$H       H$@  H9tH$P  HpiH$   L9tH$0  HpKH$  H$(  HD$(H$  HD$HH$P  H$   HD$H9    fD  H$   IVH$  H$  H?IIF    AF L$   H9$  W     H5t:  LL$   HHpHH@H9y  H$   HQH$0  H$(  HT$LH1Ht$@HA    A HL$0H$@  H$  H9f  H$  H9	  H$  H$  o$H  $  H	  H$@  H$P  HǄ$H       H$@  H9tH$P  HpH$   L9tH$0  HpH$   HD$ H9tH$  HpmH$  HD$(H9tH$  HpJHHHD$H91	  HE@$(  HD$0HD$(H$  fH?Ƅ$   Hu HǄ$     HU(H9  H|$HIH$  H$   IINHD$ IFH9HHH|$ HH$   IFH$   1H$   H$  dH+%(     H  []A\A]A^A_ÐH<$   H5y8  {$   L$@  H$P    H$   HH$  H$@  HǄ$H      Ƅ$P   HA	  L$  M  I9  H$  11LI)0H$H  H$@  H=f  H$@  H9tH$P  Hpf~_  H^  H$  _  H$  HD$X)$`  H9tH$  HpH|$PH]  H$h  H}^  H|$`H
y^  H$`  H@H`  Hn]  H$  H$  H$  H9tH$  HpIǸ   L9$   fH$   H$   L$   L9        M$   MtVI}LgH}@HEPMmH9t
HEPHp)H} HE0H9t
HE0Hp`   HMuI|$`ID$pH9tID$pHpI|$@ID$PH9tID$PHpI|$ ID$0H9tID$0HpI<$ID$H9tID$HpIĸ   L9L$   H$   MtL)LZH$   HD$hHD$hH9A0H$  H$  H9tH$  Hp   D  HHLH$   H$   cH$   H$   HA]f.     H$H  Ht"H  H!H$H  H$  H$   H$@       H$	   H54  HIWhIw`H   H54  HH   H5p4  HmIWHIw@H]   H5J4  HHF
   H5A4  H2IW(Iw H"   H54  HH   H54  HIWI7H   H53  HH
   H53  HH$  H$  H   H53  HH
   H53  HzA   H5+3  H 3  HHHA    HEI   H563  H5   H5Z3  H!A   H52  H2  HHHA    HD   H52  HH$   H$(  L$0  HD$HD$L52  H9   f.     L$   HU(Hu H\$HH@L$@  HLH$H  H$@  H<$T   LHHAHUHHu@H1HǺ   H52  H$@  H$P  H9tH$P  HpH$   L9tH$0  HpHHHD$H9 I   M   L9u]     H$   H51  HHUHHu@HxHǺ   H5b1  dH|HL9H] H51  HtH51  HuH$   H5y1  H@ H5w1  Hu%H$   H5l1  HP     H5c1  Ha   H$   H5R1  H@ o$H  H$  $  H$   H$@  H<    IQ     H$  H$  H=)_  4HH H@H   H	  }8 _  uCH#HH$  H$  H9,H$  Hp@ L$0  HU(H$   L$   Hu HHHD$HUL$@  HLH$H  H$@  H<$i   H5u/  HHRHUHHu@HBHǺ   H5,/  .H$@  H$P  H9tH$P  HpH$   L9H$0  Hp}H$  L` H$   H$   L$   L9fM$   MtVI}LWH}@HEPMmH9t
HEPHpH} HE0H9t
HE0Hp`   HMuI|$`ID$pH9tID$pHpI|$@ID$PH9tID$PHpI|$ ID$0H9tID$0HpI<$ID$H9tID$HpzIĸ   L9D  HHE H  
   H@0H9HsfD  $P  H$H  H$  xH$   L$0  HǄ$(      HD$H$  L$   Ƅ$0   H  L$  M  I9  H$  H|$11I)$H$  H$(  HǄ$     HD$ H$   H$   @3  f$  HBHvL9tH9$0    H?L$   H9  L$H$P  LhHH$@  HH@L9  H$@  HUH$P  H$H  H?Lm L$@  HE    E H9$H  a     H5+  LHH$  HD$(LuHUH$  HE L9  H$  HEH$  H$  Lu E H$@  HE    H9tH$P  HpH$   HD$ H9tH$  HpH$   L9tH$0  HpH$  L$  II9tD  } HEI9uH$   VHD$@H  H$  HD$0    HD$HH$   HD$0HL$0H@H,11  L$   HǄ$(     Hf$0  HH?H9  H|$HH$@  HLpHH@L9j  H$@  HUH$P  H$H  H?Lu HE    E H9$H       H5)  LHHD$ LuH$   HU HEL9  H$   HUH$  H$  Lu E H$@  HE    H9tH$P  Hp H$   L9tH$0  HpH$   H$  H,H9t/IfD  A>IAFL9uH$  H$   H|$H1HthH$   HD$ H9tH$  HpHL$@H9L$0H$  HD$(H9RH$  HpN<f     ~P  H$   HD$ P  H9tH$  )$Hp
fo$H$  HD$(H9tH$  )$Hpfo$H:O  H$  }H$H  Ht"H2  H&H$H  H$  H$   H$@  HHLHHEHHH|$ LHEo$H  H$  $  H$@  H$P  HrISHHLHhHEHHH|$(HLBHUmH|$H$  HL$ H|$11A   L$   h$P  H$H  H$  H=`'  !H=T'  H=C'  H=7'  H=&'  H='  H	HHRHHHDHFH>HH@HH$  HD$H5HNHH6H$HHHH/HHHHiHff.      UHAWAVAUL ATL%K  SHpHH  dH%(   HE1`ƅ  fLH=+U  H5%  LpHǅ    )LH5T  LLF  1LHAH"L  LHH}HEH9t
HEHpQHJ  HpHHEH9t
HEHp&HPH`H9tH`HpH0H@H9tH@HpHH H9tH HpE   ƅ HLpHtHH)HHEdH+%(     He[A\A]A^A_]f.     {   LH[AHJ  LHH}HEH9@ 1HBL HLHL@LH@HǅP~@@fHnfl)@HHHt+H@H9P@tz[  LHHHuHLH@HǅP~@@fHnfl)@HHHt+H@H9P@tz  LaHHHuHLH@HǅP~@@fHnfl)@"HHHt1H@H9P@t$BP)  LHHHuHHP    HL(ƅ  H=Q  LH5"  S  HLH@Hǅ~@@fHnfl) pHH  H H;P@   z
  L= L`H1Ҿ     1HH=9Q  H5&  H=  ILH1,    1H<LA   1LD  HE11LA      1@ HE111A   L    11L1HH=`P  6H5%  H=  ILH1SfD  1LHE  fLHǅh    H@HXH@Hǅ~@@fHnfl) HH   H H;P@tzJtcB HH@HHBx& ~GHx t@@'t:H`H;hD  fo HvHHFH`@ Ll LؿHH1LHA      HHLHǅ    ƅ AUHXHZH9tHHp1L)HXH#D  H@HtHhH) LhL耼> B H`E1LB    HPHH@HHB1fH"HXL  ɾII+II4I IIf.      1f.      f.     D  f.     D  H9f     HGH9G @ HGH;G tHG ÐHHG H+GHHD  H1C  SHHH@HtHsPH)蝽H[@ HB  SHHHHtHs(H)mH[Ծ@ HaB  SHHHHtHs(H)=H襾H߾0   ['    HB  SHHH@HtHsPH)HuH߾X   [    H!B  SHHH   H   H9tH   Hp诼H   H   H9tH   Hp茼H{`HCpH9t
HCpHprH{@HCPH9tHsP[HW    [f.     @ HA  SHHH   H   H9tH   HpH   H   H9tH   HpH{`HCpH9t
HCpHpһH{@HCPH9t
HCPHp踻H߾   [骻f.     HAB  SHHH   H   H9tH   HpjH@  H   HH   H9tH   Hp=H   H   H9tH   HpH{`HCpH9t
HCpHp H{@HCPH9tHsP[HD  [f.     @ HqA  SHHMH   H   H9tH   Hp蚺H?  H   HH   H9tH   HpmH   H   H9tH   HpJH{`HCpH9t
HCpHp0H{@HCPH9t
HCPHpH߾   [     AVIAUATUSLoL'M9   D  I$   HtVH}HH{@HCPHmH9t
HCPHp詹H{ HC0H9t
HC0Hp菹`   H肹HuI|$`ID$pH9tID$pHp`I|$@ID$PH9tID$PHpCI|$ ID$0H9tID$0Hp&I<$ID$H9tID$Hp
Iĸ   M9M&MtIv[L]L)A\A]A^۸ []A\A]A^f.     D  HAWAVAUATUSH(LwH/LH)HHHUUUUUUUH9F  L9   HIHEHH)H   H   HD$    A   E1o
HBA7ID7H9t4LHo HHHHBHJH9uHCH)HMd0L9t$I)LHIFHL4   LMJHtIuHH)趷HD$M} MeIEH([]A\A]A^A_fD  ILHT$Ht$dHt$HT$IJ HD$MgHUUUUUUUH9HGL$@IH=P  f.     @ HF1Ht0H@@H9t'HG H;G(t"oH@HVHP   HG fHHHH
   H AWAVAUIATUSHXH|$`   dH%(   HD$H1耶M} HLp H0HD$ HC M  LHD$@IH  H  AS0HT$ HC(L{@ MmHCPHD$(HC@Mx  L葴HD$@IH7  H  H!  HT$(HCH HD$HhHHD$H  Lc L{(H\$8Ld$0Ld$ HE   HtZHLu(H] M9MMFMtLHLuL   L)H9}HH9~xHE1HuIIH\$8@  MtHt$0LLLT$8袳LT$8uMM)II      D   IH{@1H9|$(tHCPHpŴHC HD$H|$H9|$ t
HC0Hp裴`   H薴HD$HdH+%(     HXLH[]A\A]A^A_D  HH|$    D     L9T$   HL$LHIܽ   HD$H@(@ HD$H9htHHT$0ILp(L` HHT$M9MMFfD  AU SP Ht$@1LHC@HHD$@HCPLLHD$@HS@Ht$@1LHC HHD$@HC0LLHD$@HS      Mr(M9LIFHtIr H|$0LT$躱LT$u!M1M)II   |EDfD  HT$HD$H;BtHHC L{(HD$0H|$(LT$   rH=  H=  HHLHݰ`   Hp蛳H#H諴f.     HHtHwHH)9f        HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     update apt Perform an upgrade reinstall Remove packages autoremove auto-remove autopurge unmarkauto dist-upgrade full-upgrade dselect-upgrade Follow dselect selections build-dep satisfy Satisfy dependency strings autoclean auto-clean check source Download source archives download changelog indextargets moo _uri basic_string::replace -URI version Supported modules: Ver:  Pkg:    (Priority  )  S.L: ' '   Idx:  Couldn't find package %s APT::Get::Simulate yes no TRUSTED CODENAME SUITE VERSION ORIGIN LABEL MetaKey:  
 ShortDesc:  Description:  URI:  Filename:  Optional:  KeepCompressed:  PDIFFS PDiffs:  COMPRESSIONTYPES CompressionTypes:  KEEPCOMPRESSEDAS KeepCompressedAs:  DEFAULTENABLED DefaultEnabled:  basic_string::append APT::Get::Print-URIs APT::Ignore-Hold    Retrieve new lists of packages  Install new packages (pkg is libc6 not libc6.deb)       Reinstall packages (pkg is libc6 not libc6.deb) Remove packages and config files        Remove automatically all unused packages        Distribution upgrade, see apt-get(8)    Configure build-dependencies for source packages        Erase downloaded archive files  Erase old downloaded archive files      Verify that there are no broken dependencies    Download the binary package into the current directory  Download and display the changelog for the given package        %s: __pos (which is %zu) > this->size() (which is %zu)  Usage: apt-get [options] command
       apt-get [options] install|remove pkg1 [pkg2 ...]
       apt-get [options] source pkg1 [pkg2 ...]

apt-get is a command line interface for retrieval of packages
and information about them from authenticated sources and
for installation, upgrade and removal of packages together
with their dependencies.
  %s set to manually installed.
  %s set to automatically installed.
     This command is deprecated. Please use 'apt-mark auto' and 'apt-mark manual' instead.   APT::Get::IndexTargets::Format  APT::Get::IndexTargets::ReleaseInfo     Internal error, problem resolver broke stuff vector::_M_realloc_insert  basic_string: construction from null is not valid                       N3APT16PackageContainerISt6vectorIN8pkgCache11PkgIteratorESaIS3_EEEE    10OpProgress    9CacheFile  
   ;T  )   x      4  LH      }    ء   p    (4  ب  8  D  H    <            0  D  (X  8l  X    h    8  (  x  H    X  D  X\               zR x      "                  zR x  $      Е   FJw ?;*3$"       D   8              \             p                                                                                              ,    H_        ,    H_          zPLR x$    8   $   &  /  BHH M
 DABA      `          0         BGD G0L
 AABD      H9    Hl         l9    Hl   8     0W   BBD D(D0
(A ABBG (   X  Tq    FDD ZAAF      (    Hx
PA         H  H     l   BIB B(A0A8D`~
8F0A(B BBBF            H
NA8        i  BHA G}
 FABA      <  <   E    4   \    -  BBE I(A0A8G <         N
8C0A(B BBBA            H  L   $  h1   BEB A(A0
(D EBBHA(A BBB   H   t  X   LBB B(A0A8D`
8A0A(B BBBG     ]    DXP     e    BBB E(A0A8D1
8G0A(B BBBF      ,  !       4     ,     AC
BEEEQ. I. V
A    H              '    AZ   P     TB    BBE B(A0A8G	
8C0A(B BBBB         nw  &  8      ,  
  AC
FIH
K..     <  v   ,      	
    0  U e    C            -"+       }     /  f o$   B  Lk7 n8 8 8 	8 
8 
8 8 
7 7 7 7 7 7 7 6 <7  7 #>8 $7 $6 $@7 %7 ('8 )7 *7 +7 -7 .7 /8 57 57 67 67 67 67 68 68 67 l  Z;  u*    #  s  
F   
   q                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     K      J      PK                                Є            0      `                                                     0                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           @                                                                                 s                                                                  @      
                                                                   o                                    
                                                              @                           /             )             0      	                            o          o    h(      o           o    J'      o                                                                                                           `                      6@      F@      V@      f@      v@      @      @      @      @      @      @      @      @      A      A      &A      6A      FA      VA      fA      vA      A      A      A      A      A      A      A      A      B      B      &B      6B      FB      VB      fB      vB      B      B      B      B      B      B      B      B      C      C      &C      6C      FC      VC      fC      vC      C      C      C      C      C      C      C      C      D      D      &D      6D      FD      VD      fD      vD      D      D      D      D      D      D      D      D      E      E      &E      6E      FE      VE      fE      vE      E      E      E                                                                                                                                                                    /usr/lib/debug/.dwz/x86_64-linux-gnu/apt.debug g;Q! 6f4abe2da6341ef32cf6c52bdb33604ebee8be.debug    	tU .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .gcc_except_table .init_array .fini_array .data.rel.ro .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                     8      8                                     &             X      X      $                              9             |      |                                     G   o                                                Q                          
                          Y                                                      a   o       J'      J'                                 n   o       h(      h(      0                           }             )      )      0                                 B       /      /      @                                        @       @                                                  @       @                                               E      E                                                E      E      J                                                      	                                                                                                                T                                                                                                                                                                                                                                                                                                                         `      `      @                                                    `                                                                                                @                          @                                          C                              )                     \      4                                                          8                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     #!/bin/sh

set -e
unset GREP_OPTIONS GPGHOMEDIR CURRENTTRAP
export IFS="$(printf "\n\b")"

MASTER_KEYRING=''
eval "$(apt-config shell MASTER_KEYRING APT::Key::MasterKeyring)"
ARCHIVE_KEYRING=''
eval "$(apt-config shell ARCHIVE_KEYRING APT::Key::ArchiveKeyring)"
REMOVED_KEYS=''
eval "$(apt-config shell REMOVED_KEYS APT::Key::RemovedKeys)"
ARCHIVE_KEYRING_URI=''
eval "$(apt-config shell ARCHIVE_KEYRING_URI APT::Key::ArchiveKeyringURI)"

aptkey_echo() { echo "$@"; }

find_gpgv_status_fd() {
   while [ -n "$1" ]; do
	if [ "$1" = '--status-fd' ]; then
		shift
		echo "$1"
		break
	fi
	shift
   done
}
GPGSTATUSFD="$(find_gpgv_status_fd "$@")"

apt_warn() {
    if [ -z "$GPGHOMEDIR" ]; then
	echo >&2 'W:' "$@"
    else
	echo 'W:' "$@" > "${GPGHOMEDIR}/aptwarnings.log"
    fi
    if [ -n "$GPGSTATUSFD" ]; then
	echo >&${GPGSTATUSFD} '[APTKEY:] WARNING' "$@"
    fi
}
apt_error() {
    if [ -z "$GPGHOMEDIR" ]; then
	echo >&2 'E:' "$@"
    else
	echo 'E:' "$@" > "${GPGHOMEDIR}/aptwarnings.log"
    fi
    if [ -n "$GPGSTATUSFD" ]; then
	echo >&${GPGSTATUSFD} '[APTKEY:] ERROR' "$@"
    fi
}

cleanup_gpg_home() {
    if [ -z "$GPGHOMEDIR" ]; then return; fi
    if [ -s "$GPGHOMEDIR/aptwarnings.log" ]; then
	cat >&2 "$GPGHOMEDIR/aptwarnings.log"
    fi
    if command_available 'gpgconf'; then
	GNUPGHOME="${GPGHOMEDIR}" gpgconf --kill all >/dev/null 2>&1 || true
    fi
    rm -rf "$GPGHOMEDIR"
}

# gpg needs (in different versions more or less) files to function correctly,
# so we give it its own homedir and generate some valid content for it later on
create_gpg_home() {
    # for cases in which we want to cache a homedir due to expensive setup
    if [ -n "$GPGHOMEDIR" ]; then
	return
    fi
    if [ -n "$TMPDIR" ]; then
	# tmpdir is a directory and current user has rwx access to it
	# same tests as in apt-pkg/contrib/fileutl.cc GetTempDir()
	if [ ! -d "$TMPDIR" ] || [ ! -r "$TMPDIR" ] || [ ! -w "$TMPDIR" ] || [ ! -x "$TMPDIR" ]; then
	    unset TMPDIR
	fi
    fi
    GPGHOMEDIR="$(mktemp --directory --tmpdir 'apt-key-gpghome.XXXXXXXXXX')"
    CURRENTTRAP="${CURRENTTRAP} cleanup_gpg_home;"
    trap "${CURRENTTRAP}" 0 HUP INT QUIT ILL ABRT FPE SEGV PIPE TERM
    if [ -z "$GPGHOMEDIR" ]; then
	apt_error "Could not create temporary gpg home directory in $TMPDIR (wrong permissions?)"
	exit 28
    fi
    chmod 700 "$GPGHOMEDIR"
}

requires_root() {
	if [ "$(id -u)" -ne 0 ]; then
		apt_error "This command can only be used by root."
		exit 1
	fi
}

command_available() {
    if [ -x "$1" ]; then return 0; fi
    command -v "$1" >/dev/null # required by policy, see #747320
}

escape_shell() {
    echo "$@" | sed -e "s#'#'\"'\"'#g"
}

get_fingerprints_of_keyring() {
    aptkey_execute "$GPG_SH" --keyring "$1" --with-colons --fingerprint | while read publine; do
	# search for a public key
	if [ "${publine%%:*}" != 'pub' ]; then continue; fi
	# search for the associated fingerprint (should be the very next line)
	while read fprline; do
	   if [ "${fprline%%:*}" = 'sub' ]; then break; # should never happen
	   elif [ "${fprline%%:*}" != 'fpr' ]; then continue; fi
	   echo "$fprline" | cut -d':' -f 10
	done
	# order in the keyring shouldn't be important
    done | sort
}

add_keys_with_verify_against_master_keyring() {
    ADD_KEYRING="$1"
    MASTER="$2"

    if [ ! -f "$ADD_KEYRING" ]; then
	apt_error "Keyring '$ADD_KEYRING' to be added not found"
	return
    fi
    if [ ! -f "$MASTER" ]; then
	apt_error "Master-Keyring '$MASTER' not found"
	return
    fi

    # when adding new keys, make sure that the archive-master-keyring
    # is honored. so:
    #   all keys that are exported must have a valid signature
    #   from a key in the $distro-master-keyring
    add_keys="$(get_fingerprints_of_keyring "$ADD_KEYRING")"
    all_add_keys="$(aptkey_execute "$GPG_SH" --keyring "$ADD_KEYRING" --with-colons --list-keys | grep ^[ps]ub | cut -d: -f5)"
    master_keys="$(aptkey_execute "$GPG_SH" --keyring "$MASTER" --with-colons --list-keys | grep ^pub | cut -d: -f5)"

    # ensure there are no colisions LP: #857472
    for all_add_key in $all_add_keys; do
	for master_key in $master_keys; do
            if [ "$all_add_key" = "$master_key" ]; then
                echo >&2 "Keyid collision for '$all_add_key' detected, operation aborted"
                return 1
            fi
        done
    done

    for add_key in $add_keys; do
        # export the add keyring one-by-one
	local TMP_KEYRING="${GPGHOMEDIR}/tmp-keyring.gpg"
	aptkey_execute "$GPG_SH" --batch --yes --keyring "$ADD_KEYRING" --output "$TMP_KEYRING" --export "$add_key"
	if ! aptkey_execute "$GPG_SH" --batch --yes --keyring "$TMP_KEYRING" --import "$MASTER" > "${GPGHOMEDIR}/gpgoutput.log" 2>&1; then
	    cat >&2 "${GPGHOMEDIR}/gpgoutput.log"
	    false
	fi
	# check if signed with the master key and only add in this case
	ADDED=0
	for master_key in $master_keys; do
	    if aptkey_execute "$GPG_SH" --keyring "$TMP_KEYRING" --check-sigs --with-colons "$add_key" \
	       | grep '^sig:!:' | cut -d: -f5 | grep -q "$master_key"; then
		aptkey_execute "$GPG_SH" --batch --yes --keyring "$ADD_KEYRING" --export "$add_key" \
		   | aptkey_execute "$GPG" --batch --yes --import
		ADDED=1
	    fi
	done
	if [ $ADDED = 0 ]; then
	    echo >&2 "Key '$add_key' not added. It is not signed with a master key"
	fi
	rm -f "${TMP_KEYRING}"
    done
}

# update the current archive signing keyring from a network URI
# the archive-keyring keys needs to be signed with the master key
# (otherwise it does not make sense from a security POV)
net_update() {
    local APT_DIR='/'
    eval $(apt-config shell APT_DIR Dir)

    # Disabled for now as code is insecure (LP: #1013639 (and 857472, 1013128))
    APT_KEY_NET_UPDATE_ENABLED=""
    eval $(apt-config shell APT_KEY_NET_UPDATE_ENABLED APT::Key::Net-Update-Enabled)
    if [ -z "$APT_KEY_NET_UPDATE_ENABLED" ]; then
        exit 1
    fi

    if [ -z "$ARCHIVE_KEYRING_URI" ]; then
	apt_error 'Your distribution is not supported in net-update as no uri for the archive-keyring is set'
	exit 1
    fi
    # in theory we would need to depend on wget for this, but this feature
    # isn't usable in debian anyway as we have no keyring uri nor a master key
    if ! command_available 'wget'; then
	apt_error 'wget is required for a network-based update, but it is not installed'
	exit 1
    fi
    if [ ! -d "${APT_DIR}/var/lib/apt/keyrings" ]; then
	mkdir -p "${APT_DIR}/var/lib/apt/keyrings"
    fi
    keyring="${APT_DIR}/var/lib/apt/keyrings/$(basename "$ARCHIVE_KEYRING_URI")"
    old_mtime=0
    if [ -e $keyring ]; then
	old_mtime=$(stat -c %Y "$keyring")
    fi
    (cd  "${APT_DIR}/var/lib/apt/keyrings"; wget --timeout=90 -q -N "$ARCHIVE_KEYRING_URI")
    if [ ! -e "$keyring" ]; then
	return
    fi
    new_mtime=$(stat -c %Y "$keyring")
    if [ $new_mtime -ne $old_mtime ]; then
	aptkey_echo "Checking for new archive signing keys now"
	add_keys_with_verify_against_master_keyring "$keyring" "$MASTER_KEYRING"
    fi
}

update() {
    if [ -z "$APT_KEY_DONT_WARN_ON_DANGEROUS_USAGE" ]; then
	echo >&2 "Warning: 'apt-key update' is deprecated and should not be used anymore!"
	if [ -z "$ARCHIVE_KEYRING" ]; then
	    echo >&2 "Note: In your distribution this command is a no-op and can therefore be removed safely."
	    exit 0
	fi
    fi
    if [ ! -f "$ARCHIVE_KEYRING" ]; then
	apt_error "Can't find the archive-keyring (Is the debian-archive-keyring package installed?)"
	exit 1
    fi

    # add new keys from the package;

    # we do not use add_keys_with_verify_against_master_keyring here,
    # because "update" is run on regular package updates.  A
    # attacker might as well replace the master-archive-keyring file
    # in the package and add his own keys. so this check wouldn't
    # add any security. we *need* this check on net-update though
    import_keyring_into_keyring "$ARCHIVE_KEYRING" '' && cat "${GPGHOMEDIR}/gpgoutput.log"

    if [ -r "$REMOVED_KEYS" ]; then
	# remove no-longer supported/used keys
	get_fingerprints_of_keyring "$(dearmor_filename "$REMOVED_KEYS")" | while read key; do
	    foreach_keyring_do 'remove_key_from_keyring' "$key"
	done
    else
	apt_warn "Removed keys keyring '$REMOVED_KEYS' missing or not readable"
    fi
}

remove_key_from_keyring() {
    local KEYRINGFILE="$1"
    shift
    # non-existent keyrings have by definition no keys
    if [ ! -e "$KEYRINGFILE" ]; then
       return
    fi

    local FINGERPRINTS="${GPGHOMEDIR}/keyringfile.keylst"
    local DEARMOR="$(dearmor_filename "$KEYRINGFILE")"
    get_fingerprints_of_keyring "$DEARMOR" > "$FINGERPRINTS"

    for KEY in "$@"; do
	# strip leading 0x, if present:
	KEY="$(echo "${KEY#0x}" | tr -d ' ')"

	# check if the key is in this keyring
	if ! grep -iq "^[0-9A-F]*${KEY}$" "$FINGERPRINTS"; then
	    continue
	fi
	if [ ! -w "$KEYRINGFILE" ]; then
	    apt_warn "Key ${KEY} is in keyring ${KEYRINGFILE}, but can't be removed as it is read only."
	    continue
	fi
	# check if it is the only key in the keyring and if so remove the keyring altogether
	if [ '1' = "$(uniq "$FINGERPRINTS" | wc -l)" ]; then
	    mv -f "$KEYRINGFILE" "${KEYRINGFILE}~" # behave like gpg
	    return
	fi
	# we can't just modify pointed to files as these might be in /usr or something
	local REALTARGET
	if [ -L "$DEARMOR" ]; then
	    REALTARGET="$(readlink -f "$DEARMOR")"
	    mv -f "$DEARMOR" "${DEARMOR}.dpkg-tmp"
	    cp -a "$REALTARGET" "$DEARMOR"
	fi
	# delete the key from the keyring
	aptkey_execute "$GPG_SH" --keyring "$DEARMOR" --batch --delete-keys --yes "$KEY"
	if [ -n "$REALTARGET" ]; then
	    # the real backup is the old link, not the copy we made
	    mv -f "${DEARMOR}.dpkg-tmp" "${DEARMOR}~"
	fi
	if [ "$DEARMOR" != "$KEYRINGFILE" ]; then
	    mv -f "$KEYRINGFILE" "${KEYRINGFILE}~"
	    create_new_keyring "$KEYRINGFILE"
	    aptkey_execute "$GPG_SH" --keyring "$DEARMOR" --armor --export > "$KEYRINGFILE"
	fi
	get_fingerprints_of_keyring "$DEARMOR" > "$FINGERPRINTS"
    done
}

accessible_file_exists() {
   if ! test -s "$1"; then
      return 1
   fi
   if test -r "$1"; then
      return 0
   fi
   apt_warn "The key(s) in the keyring $1 are ignored as the file is not readable by user '$USER' executing apt-key."
   return 1
}

is_supported_keyring() {
    # empty files are always supported
    if ! test -s "$1"; then
	return 0
    fi
    local FILEEXT="${1##*.}"
    if [ "$FILEEXT" = 'gpg' ]; then
	# 0x98, 0x99 and 0xC6 via octal as hex isn't supported by dashs printf
	if printf '\231' | cmp -s -n 1 - "$1"; then
	    true
	elif printf '\230' | cmp -s -n 1 - "$1"; then
	    true
	elif printf '\306' | cmp -s -n 1 - "$1"; then
	    true
	else
	    apt_warn "The key(s) in the keyring $1 are ignored as the file has an unsupported filetype."
	    return 1
	fi
    elif [ "$FILEEXT" = 'asc' ]; then
	true #dearmor_filename will deal with them
    else
	# most callers ignore unsupported extensions silently
	apt_warn "The key(s) in the keyring $1 are ignored as the file has an unsupported filename extension."
	return 1
    fi
    return 0
}

foreach_keyring_do() {
   local ACTION="$1"
   shift
   # if a --keyring was given, just work on this one
   if [ -n "$FORCED_KEYRING" ]; then
	$ACTION "$FORCED_KEYRING" "$@"
   else
	# otherwise all known keyrings are up for inspection
	if accessible_file_exists "$TRUSTEDFILE" && is_supported_keyring "$TRUSTEDFILE"; then
	    $ACTION "$TRUSTEDFILE" "$@"
	fi
	local TRUSTEDPARTS="/etc/apt/trusted.gpg.d"
	eval "$(apt-config shell TRUSTEDPARTS Dir::Etc::TrustedParts/d)"
	if [ -d "$TRUSTEDPARTS" ]; then
	    TRUSTEDPARTS="$(readlink -f "$TRUSTEDPARTS")"
	    local TRUSTEDPARTSLIST="$(cd /; find "$TRUSTEDPARTS" -mindepth 1 -maxdepth 1 \( -name '*.gpg' -o -name '*.asc' \))"
	    for trusted in $(echo "$TRUSTEDPARTSLIST" | sort); do
		if accessible_file_exists "$trusted" && is_supported_keyring "$trusted"; then
		    $ACTION "$trusted" "$@"
		fi
	    done
	fi
   fi
}

list_keys_in_keyring() {
    local KEYRINGFILE="$1"
    shift
    # fingerprint and co will fail if key isn't in this keyring
    aptkey_execute "$GPG_SH" --keyring "$(dearmor_filename "$KEYRINGFILE")" "$@" > "${GPGHOMEDIR}/gpgoutput.log" 2> "${GPGHOMEDIR}/gpgoutput.err" || true
    if [ ! -s "${GPGHOMEDIR}/gpgoutput.log" ]; then
	return
    fi
    # we fake gpg header here to refer to the real asc file rather than a temp file
    if [ "${KEYRINGFILE##*.}" = 'asc' ]; then
	if expr match "$(sed -n '2p' "${GPGHOMEDIR}/gpgoutput.log")" '^-\+$' >/dev/null 2>&1; then
	    echo "$KEYRINGFILE"
	    echo "$KEYRINGFILE" | sed 's#[^-]#-#g'
	    sed '1,2d' "${GPGHOMEDIR}/gpgoutput.log" || true
	else
	    cat "${GPGHOMEDIR}/gpgoutput.log"
	fi
    else
	cat "${GPGHOMEDIR}/gpgoutput.log"
    fi
    if [ -s "${GPGHOMEDIR}/gpgoutput.err" ]; then
	cat >&2 "${GPGHOMEDIR}/gpgoutput.err"
    fi
}

export_key_from_to() {
    local FROM="$1"
    local TO="$2"
    shift 2
    if ! aptkey_execute "$GPG_SH" --keyring "$(dearmor_filename "$FROM")" --export "$@" > "$TO" 2> "${GPGHOMEDIR}/gpgoutput.log"; then
	cat >&2 "${GPGHOMEDIR}/gpgoutput.log"
	false
    else
	chmod 0644 -- "$TO"
    fi
}

import_keyring_into_keyring() {
    local FROM="${1:-${GPGHOMEDIR}/pubring.gpg}"
    local TO="${2:-${GPGHOMEDIR}/pubring.gpg}"
    shift 2
    rm -f "${GPGHOMEDIR}/gpgoutput.log"
    # the idea is simple: We take keys from one keyring and copy it to another
    # we do this with so many checks in between to ensure that WE control the
    # creation, so we know that the (potentially) created $TO keyring is a
    # simple keyring rather than a keybox as gpg2 would create it which in turn
    # can't be read by gpgv.
    # BEWARE: This is designed more in the way to work with the current
    # callers, than to have a well defined it would be easy to add new callers to.
    if [ ! -s "$TO" ]; then
	if [ -s "$FROM" ]; then
	    if [ -z "$2" ]; then
		local OPTS
		if [ "${TO##*.}" = 'asc' ]; then
		    OPTS='--armor'
		fi
		export_key_from_to "$(dearmor_filename "$FROM")" "$TO" $OPTS ${1:+"$1"}
	    else
		create_new_keyring "$TO"
	    fi
	else
	    create_new_keyring "$TO"
	fi
    elif [ -s "$FROM" ]; then
	local EXPORTLIMIT="$1"
	if [ -n "$1$2" ]; then shift; fi
	local DEARMORTO="$(dearmor_filename "$TO")"
	if ! aptkey_execute "$GPG_SH" --keyring "$(dearmor_filename "$FROM")" --export ${EXPORTLIMIT:+"$EXPORTLIMIT"} \
	   | aptkey_execute "$GPG_SH" --keyring "$DEARMORTO" --batch --import "$@" > "${GPGHOMEDIR}/gpgoutput.log" 2>&1; then
	    cat >&2 "${GPGHOMEDIR}/gpgoutput.log"
	    false
	fi
	if [ "$DEARMORTO" != "$TO" ]; then
	    export_key_from_to "$DEARMORTO" "${DEARMORTO}.asc" --armor
	    if ! cmp -s "$TO" "${DEARMORTO}.asc" 2>/dev/null; then
		cp -a "$TO" "${TO}~"
		mv -f "${DEARMORTO}.asc" "$TO"
	    fi
	fi
    fi
}

dearmor_keyring() {
    # https://bugs.debian.org/cgi-bin/bugreport.cgi?bug=831409#67
    # The awk script is more complex through to skip surrounding garbage and
    # to support multiple keys in one file (old gpgs generate version headers
    # which get printed with the original and hence result in garbage input for base64
    awk '/^-----BEGIN/{ x = 1; }
/^$/{ if (x == 1) { x = 2; }; }
/^[^=-]/{ if (x == 2) { print $0; }; }
/^-----END/{ x = 0; }' | base64 -d
}
dearmor_filename() {
    if [ "${1##*.}" = 'asc' ]; then
	local trusted="${GPGHOMEDIR}/${1##*/}.gpg"
	if [ -s "$1" ]; then
	    dearmor_keyring < "$1" > "$trusted"
	fi
	echo "$trusted"
    elif [ "${1##*.}" = 'gpg' ]; then
	echo "$1"
    elif [ "$(head -n 1 "$1" 2>/dev/null)" = '-----BEGIN PGP PUBLIC KEY BLOCK-----' ]; then
	local trusted="${GPGHOMEDIR}/${1##*/}.gpg"
	dearmor_keyring < "$1" > "$trusted"
	echo "$trusted"
    else
	echo "$1"
    fi
}
catfile() {
    cat "$(dearmor_filename "$1")" >> "$2"
}

merge_all_trusted_keyrings_into_pubring() {
    # does the same as:
    # foreach_keyring_do 'import_keys_from_keyring' "${GPGHOMEDIR}/pubring.gpg"
    # but without using gpg, just cat and find
    local PUBRING="$(readlink -f "${GPGHOMEDIR}")/pubring.gpg"
    rm -f "$PUBRING"
    touch "$PUBRING"
    foreach_keyring_do 'catfile' "$PUBRING"
}

import_keys_from_keyring() {
    import_keyring_into_keyring "$1" "$2"
}

merge_keys_into_keyrings() {
    import_keyring_into_keyring "$2" "$1" '' --import-options 'merge-only'
}

merge_back_changes() {
    if [ -n "$FORCED_KEYRING" ]; then
	# if the keyring was forced merge is already done
	if [ "$FORCED_KEYRING" != "$TRUSTEDFILE" ]; then
	    mv -f "$FORCED_KEYRING" "${FORCED_KEYRING}~"
	    export_key_from_to "$TRUSTEDFILE" "$FORCED_KEYRING" --armor
	fi
	return
    fi
    if [ -s "${GPGHOMEDIR}/pubring.gpg" ]; then
	# merge all updated keys
	foreach_keyring_do 'merge_keys_into_keyrings' "${GPGHOMEDIR}/pubring.gpg"
    fi
    # look for keys which were added or removed
    get_fingerprints_of_keyring "${GPGHOMEDIR}/pubring.orig.gpg" > "${GPGHOMEDIR}/pubring.orig.keylst"
    get_fingerprints_of_keyring "${GPGHOMEDIR}/pubring.gpg" > "${GPGHOMEDIR}/pubring.keylst"
    comm -3 "${GPGHOMEDIR}/pubring.keylst" "${GPGHOMEDIR}/pubring.orig.keylst" > "${GPGHOMEDIR}/pubring.diff"
    # key isn't part of new keyring, so remove
    cut -f 2 "${GPGHOMEDIR}/pubring.diff" | while read key; do
	if [ -z "$key" ]; then continue; fi
	foreach_keyring_do 'remove_key_from_keyring' "$key"
    done
    # key is only part of new keyring, so we need to import it
    cut -f 1 "${GPGHOMEDIR}/pubring.diff" | while read key; do
	if [ -z "$key" ]; then continue; fi
	import_keyring_into_keyring '' "$TRUSTEDFILE" "$key"
    done
}

setup_merged_keyring() {
    if [ -n "$FORCED_KEYID" ]; then
	merge_all_trusted_keyrings_into_pubring
	FORCED_KEYRING="${GPGHOMEDIR}/forcedkeyid.gpg"
	TRUSTEDFILE="${FORCED_KEYRING}"
	echo "#!/bin/sh
exec sh '($(escape_shell "${GPG}")' --keyring '$(escape_shell "${TRUSTEDFILE}")' \"\$@\"" > "${GPGHOMEDIR}/gpg.1.sh"
	GPG="${GPGHOMEDIR}/gpg.1.sh"
	# ignore error as this "just" means we haven't found the forced keyid and the keyring will be empty
	import_keyring_into_keyring '' "$TRUSTEDFILE" "$FORCED_KEYID" || true
    elif [ -z "$FORCED_KEYRING" ]; then
	merge_all_trusted_keyrings_into_pubring
	if [ -r "${GPGHOMEDIR}/pubring.gpg" ]; then
	    cp -a "${GPGHOMEDIR}/pubring.gpg" "${GPGHOMEDIR}/pubring.orig.gpg"
	else
	   touch "${GPGHOMEDIR}/pubring.gpg" "${GPGHOMEDIR}/pubring.orig.gpg"
	fi
	echo "#!/bin/sh
exec sh '$(escape_shell "${GPG}")' --keyring '$(escape_shell "${GPGHOMEDIR}/pubring.gpg")' \"\$@\"" > "${GPGHOMEDIR}/gpg.1.sh"
	GPG="${GPGHOMEDIR}/gpg.1.sh"
    else
	TRUSTEDFILE="$(dearmor_filename "$FORCED_KEYRING")"
	create_new_keyring "$TRUSTEDFILE"
	echo "#!/bin/sh
exec sh '$(escape_shell "${GPG}")' --keyring '$(escape_shell "${TRUSTEDFILE}")' \"\$@\"" > "${GPGHOMEDIR}/gpg.1.sh"
	GPG="${GPGHOMEDIR}/gpg.1.sh"
    fi
}

create_new_keyring() {
    # gpg defaults to mode 0600 for new keyrings. Create one with 0644 instead.
    if ! [ -e "$1" ]; then
	if [ -w "$(dirname "$1")" ]; then
	    touch -- "$1"
	    chmod 0644 -- "$1"
	fi
    fi
}

aptkey_execute() { sh "$@"; }

usage() {
    echo "Usage: apt-key [--keyring file] [command] [arguments]"
    echo
    echo "Manage apt's list of trusted keys"
    echo
    echo "  apt-key add <file>          - add the key contained in <file> ('-' for stdin)"
    echo "  apt-key del <keyid>         - remove the key <keyid>"
    echo "  apt-key export <keyid>      - output the key <keyid>"
    echo "  apt-key exportall           - output all trusted keys"
    echo "  apt-key update              - update keys using the keyring package"
    echo "  apt-key net-update          - update keys using the network"
    echo "  apt-key list                - list keys"
    echo "  apt-key finger              - list fingerprints"
    echo "  apt-key adv                 - pass advanced options to gpg (download key)"
    echo
    echo "If no specific keyring file is given the command applies to all keyring files."
}

while [ -n "$1" ]; do
   case "$1" in
      --keyring)
	 shift
	 if [ -z "$FORCED_KEYRING" -o "$FORCED_KEYRING" = '/dev/null' ]; then
	     TRUSTEDFILE="$1"
	     FORCED_KEYRING="$1"
	 elif [ "$TRUSTEDFILE" = "$FORCED_KEYRING" ]; then
	     create_gpg_home
	     FORCED_KEYRING="${GPGHOMEDIR}/mergedkeyrings.gpg"
	     echo -n '' > "$FORCED_KEYRING"
	     chmod 0644 -- "$FORCED_KEYRING"
	     catfile "$TRUSTEDFILE" "$FORCED_KEYRING"
	     catfile "$1" "$FORCED_KEYRING"
	 else
	     catfile "$1" "$FORCED_KEYRING"
	 fi
	 ;;
      --keyid)
	 shift
	 if [ -n "$FORCED_KEYID" ]; then
	     apt_error 'Specifying --keyid multiple times is not supported'
	     exit 1
	 fi
	 FORCED_KEYID="$1"
	 ;;
      --secret-keyring)
	 shift
	 FORCED_SECRET_KEYRING="$1"
	 ;;
      --readonly)
	 merge_back_changes() { true; }
	 create_new_keyring() { if [ ! -r "$FORCED_KEYRING" ]; then TRUSTEDFILE='/dev/null'; FORCED_KEYRING="$TRUSTEDFILE"; fi; }
	 ;;
      --fakeroot)
	 requires_root() { true; }
	 ;;
      --quiet)
	 aptkey_echo() { true; }
	 ;;
      --debug1)
	 # some cmds like finger redirect stderr to /dev/null …
	aptkey_execute() { echo 'EXEC:' "$@"; sh "$@"; }
	;;
      --debug2)
	 # … other more complicated ones pipe gpg into gpg.
	aptkey_execute() { echo >&2 'EXEC:' "$@"; sh "$@"; }
	;;
      --homedir)
	 # force usage of a specific homedir instead of creating a temporary
	 shift
	 GPGHOMEDIR="$1"
	;;
      --*)
	 echo >&2 "Unknown option: $1"
	 usage
	 exit 1;;
      *)
	 break;;
   esac
   shift
done

if [ -z "$TRUSTEDFILE" ]; then
   TRUSTEDFILE="/etc/apt/trusted.gpg"
   eval $(apt-config shell TRUSTEDFILE Apt::GPGV::TrustedKeyring)
   eval $(apt-config shell TRUSTEDFILE Dir::Etc::Trusted/f)
   if [ "$APT_KEY_NO_LEGACY_KEYRING" ]; then
        TRUSTEDFILE="/dev/null"
   fi
fi

command="$1"
if [ -z "$command" ]; then
    usage
    exit 1
fi
shift

prepare_gpg_home() {
    # crude detection if we are called from a maintainerscript where the
    # package depends on gnupg or not. We accept recommends here as
    # well as the script hopefully uses apt-key optionally then like e.g.
    # debian-archive-keyring for (upgrade) cleanup did
    if [ -n "$DPKG_MAINTSCRIPT_PACKAGE" ] && [ -z "$APT_KEY_DONT_WARN_ON_DANGEROUS_USAGE" ]; then
	if ! dpkg-query --show --showformat '${Pre-Depends}${Depends}${Recommends}\n' "$DPKG_MAINTSCRIPT_PACKAGE" 2>/dev/null | grep -E -q 'gpg|gnupg'; then
	    cat >&2 <<EOF
Warning: The $DPKG_MAINTSCRIPT_NAME maintainerscript of the package $DPKG_MAINTSCRIPT_PACKAGE
Warning: seems to use apt-key (provided by apt) without depending on gpg, gnupg, or gnupg2.
Warning: This will BREAK in the future and should be fixed by the package maintainer(s).
Note: Check first if apt-key functionality is needed at all - it probably isn't!
EOF
	fi
    fi
    eval "$(apt-config shell GPG_EXE Apt::Key::gpgcommand)"
    if [ -n "$GPG_EXE" ] && command_available "$GPG_EXE"; then
	true
    elif command_available 'gpg'; then
	GPG_EXE="gpg"
    elif command_available 'gpg2'; then
	GPG_EXE="gpg2"
    elif command_available 'gpg1'; then
	GPG_EXE="gpg1"
    else
	apt_error 'gnupg, gnupg2 and gnupg1 do not seem to be installed, but one of them is required for this operation'
	exit 255
    fi

    create_gpg_home

    # now tell gpg that it shouldn't try to maintain this trustdb file
    echo "#!/bin/sh
exec '$(escape_shell "${GPG_EXE}")' --ignore-time-conflict --no-options --no-default-keyring \\
--homedir '$(escape_shell "${GPGHOMEDIR}")' --no-auto-check-trustdb --trust-model always \"\$@\"" > "${GPGHOMEDIR}/gpg.0.sh"
    GPG_SH="${GPGHOMEDIR}/gpg.0.sh"
    GPG="$GPG_SH"

    # create the trustdb with an (empty) dummy keyring
    # older gpgs required it, newer gpgs even warn that it isn't needed,
    # but require it nonetheless for some commands, so we just play safe
    # here for the foreseeable future and create a dummy one
    touch "${GPGHOMEDIR}/empty.gpg"
    if ! "$GPG_EXE" --ignore-time-conflict --no-options --no-default-keyring \
       --homedir "$GPGHOMEDIR" --quiet --check-trustdb --keyring "${GPGHOMEDIR}/empty.gpg" >"${GPGHOMEDIR}/gpgoutput.log" 2>&1; then
       cat >&2 "${GPGHOMEDIR}/gpgoutput.log"
       false
    fi

    # We don't usually need a secret keyring, of course, but
    # for advanced operations, we might really need a secret keyring after all
    if [ -n "$FORCED_SECRET_KEYRING" ] && [ -r "$FORCED_SECRET_KEYRING" ]; then
	if ! aptkey_execute "$GPG" -v --batch --import "$FORCED_SECRET_KEYRING" >"${GPGHOMEDIR}/gpgoutput.log" 2>&1; then
	    # already imported keys cause gpg1 to fail for some reason… ignore this error
	    if ! grep -q 'already in secret keyring' "${GPGHOMEDIR}/gpgoutput.log"; then
		cat >&2 "${GPGHOMEDIR}/gpgoutput.log"
		false
	    fi
	fi
    else
       # and then, there are older versions of gpg which panic and implode
       # if there isn't one available - and writeable for imports
       # and even if not output is littered with the creation of a secring,
       # so lets call import once to have it create what it wants in silence
       echo -n | aptkey_execute "$GPG" --batch --import >/dev/null 2>&1 || true
    fi
}

warn_on_script_usage() {
    if [ -n "$APT_KEY_DONT_WARN_ON_DANGEROUS_USAGE" ]; then
	return
    fi
    # (Maintainer) scripts should not be using apt-key
    if [ -n "$DPKG_MAINTSCRIPT_PACKAGE" ]; then
	echo >&2 "Warning: apt-key should not be used in scripts (called from $DPKG_MAINTSCRIPT_NAME maintainerscript of the package ${DPKG_MAINTSCRIPT_PACKAGE})"
    fi

    echo >&2 "Warning: apt-key is deprecated. Manage keyring files in trusted.gpg.d instead (see apt-key(8))."
}

warn_outside_maintscript() {
    # In del, we want to warn in interactive use, but not inside maintainer
    # scripts, so as to give people a chance to migrate keyrings.
    #
    # FIXME: We should always warn starting in 2022.
    if [ -z "$DPKG_MAINTSCRIPT_PACKAGE" ]; then
	echo >&2 "Warning: apt-key is deprecated. Manage keyring files in trusted.gpg.d instead (see apt-key(8))."
    fi
}

if [ "$command" != 'help' ] && [ "$command" != 'verify' ]; then
    prepare_gpg_home
fi

case "$command" in
    add)
	warn_on_script_usage
	requires_root
	setup_merged_keyring
	aptkey_execute "$GPG" --quiet --batch --import "$@"
	merge_back_changes
	aptkey_echo "OK"
        ;;
    del|rm|remove)
	# no script warning here as removing 'add' usage needs 'del' for cleanup
	warn_outside_maintscript
	requires_root
	foreach_keyring_do 'remove_key_from_keyring' "$@"
	aptkey_echo "OK"
        ;;
    update)
	warn_on_script_usage
	requires_root
	setup_merged_keyring
	update
	merge_back_changes
	;;
    net-update)
	warn_on_script_usage
	requires_root
	setup_merged_keyring
	net_update
	merge_back_changes
	;;
    list|finger*)
	warn_on_script_usage
	foreach_keyring_do 'list_keys_in_keyring' --fingerprint "$@"
	;;
    export|exportall)
	warn_on_script_usage
	merge_all_trusted_keyrings_into_pubring
	aptkey_execute "$GPG_SH" --keyring "${GPGHOMEDIR}/pubring.gpg" --armor --export "$@"
	;;
    adv*)
	warn_on_script_usage
	setup_merged_keyring
	aptkey_echo "Executing: $GPG" "$@"
	aptkey_execute "$GPG" "$@"
	merge_back_changes
	;;
    verify)
	GPGV=''
	eval $(apt-config shell GPGV Apt::Key::gpgvcommand)
	if [ -n "$GPGV" ] && command_available "$GPGV"; then true;
	elif command_available 'gpgv'; then GPGV='gpgv';
	elif command_available 'gpgv2'; then GPGV='gpgv2';
	elif command_available 'gpgv1'; then GPGV='gpgv1';
	else
	   apt_error 'gpgv, gpgv2 or gpgv1 required for verification, but neither seems installed'
	   exit 29
	fi
	# for a forced keyid we need gpg --export, so full wrapping required
	if [ -n "$FORCED_KEYID" ]; then
	    prepare_gpg_home
	else
	    create_gpg_home
	fi
	setup_merged_keyring
	if [ -n "$FORCED_KEYRING" ]; then
	    "$GPGV" --homedir "${GPGHOMEDIR}" --keyring "$(dearmor_filename "${FORCED_KEYRING}")" --ignore-time-conflict "$@"
	else
	    "$GPGV" --homedir "${GPGHOMEDIR}" --keyring "${GPGHOMEDIR}/pubring.gpg" --ignore-time-conflict "$@"
	fi
	;;
    help)
        usage
        ;;
    *)
        usage
        exit 1
        ;;
esac
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            ELF          >     I      @                 @ 8 
 @         @       @       @                                                                                                     P0      P0                    @       @       @      q      q                                                                                   H                                           @      @                   8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd                                        Qtd                                                  Rtd                     0      0             /lib64/ld-linux-x86-64.so.2              GNU                     GNU v1"X^5%K7$          GNU                      Z         H D`*i0HZ   ]   ^   _   `   a   c       f       g       h   i   k   m   o   1[Q@#jbqfC%mCfMŶ("<h-`uem&C-rAl3a>,_^B                                             
                     3                     S                                                               
                     `                     
                     E                     f                                          
                                                               s                                                               
                                                                                                                              B                     U
                                                                                    7                                          	                     P                                                               @
                                                               K                                                               [                     n                     3                                          C                                          	                                                                                                                                                                        	                     q	                     V                                          %                     m                     F                      7
                     
                     `                     J	                                                                                    )                                                                                                                                
                     _                                          4                     	                                          
                                            ,                                            p                                                                                    *  !  (      @         "                                !                 !        @       A    @                            a  !                  "        a          X               !        N       %  !  h      @         !         E       	                   "                   w  "        a                      ?  "                !        M           P             }  "              
                   !                _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable _Z16ParseCommandLineR11CommandLine7APT_CMDPKP13ConfigurationPP9pkgSystemiPPKcPFbS0_EPFSt6vectorI19aptDispatchWithHelpSaISF_EEvE _ZNSt6vectorIN8pkgCache11VerIteratorESaIS1_EE17_M_realloc_insertIJRKS1_EEEvN9__gnu_cxx17__normal_iteratorIPS1_S3_EEDpOT_ _ZNSt8_Rb_treeIN8pkgCache11PkgIteratorES1_St9_IdentityIS1_ESt4lessIS1_ESaIS1_EE16_M_insert_uniqueIRKS1_EESt4pairISt17_Rb_tree_iteratorIS1_EbEOT_ ScreenWidth _ZTIN3APT16VersionContainerISt6vectorIN8pkgCache11VerIteratorESaIS3_EEEE _ZTVN3APT16PackageContainerISt3setIN8pkgCache11PkgIteratorESt4lessIS3_ESaIS3_EEEE _ZNSt6vectorIN8pkgCache11VerIteratorESaIS1_EE17_M_realloc_insertIJS1_EEEvN9__gnu_cxx17__normal_iteratorIPS1_S3_EEDpOT_ c1out _ZTVN3APT16PackageContainerINSt7__cxx114listIN8pkgCache11PkgIteratorESaIS4_EEEEE _Z10InitOutputPSt15basic_streambufIcSt11char_traitsIcEE _ZNSt6vectorINSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEESaIS5_EE17_M_realloc_insertIJS5_EEEvN9__gnu_cxx17__normal_iteratorIPS5_S7_EEDpOT_ _ZTIN3APT16PackageContainerINSt7__cxx114listIN8pkgCache11PkgIteratorESaIS4_EEEEE _ZTIN3APT16PackageContainerISt3setIN8pkgCache11PkgIteratorESt4lessIS3_ESaIS3_EEEE _ZTSN3APT16PackageContainerINSt7__cxx114listIN8pkgCache11PkgIteratorESaIS4_EEEEE _ZTSN3APT16PackageContainerISt3setIN8pkgCache11PkgIteratorESt4lessIS3_ESaIS3_EEEE _Z19DispatchCommandLineR11CommandLineRKSt6vectorINS_8DispatchESaIS2_EE _ZTSN3APT16VersionContainerISt6vectorIN8pkgCache11VerIteratorESaIS3_EEEE _Z14PrettyFullNameB5cxx11RKN8pkgCache11PkgIteratorE _Z8YnPromptPKcb _ZTVN3APT16VersionContainerISt6vectorIN8pkgCache11VerIteratorESaIS3_EEEE _ZN3APT25PackageContainerInterfaceC2ENS_14CacheSetHelper11PkgSelectorE _ZN3APT14CacheSetHelperC1EbN11GlobalError7MsgTypeE _ZN3APT12StateChanges6RemoveEv _ZN11GlobalError6NoticeEPKcz _ZN3APT12StateChangesD1Ev _ZN3APT12StateChanges4SaveEb _ZN12pkgCacheFile19InhibitActionGroupsEb _ZN3APT25VersionContainerInterfaceD2Ev _ZN11CommandLineD1Ev _ZN12pkgCacheFile13BuildDepCacheEP10OpProgress _ZN3APT12StateChangesC1Ev _ZTIN3APT25PackageContainerInterfaceE _ZN3APT25VersionContainerInterfaceC2Ev _ZN11CommandLineC1Ev _ZN3APT14CacheSetHelper22PackageFromCommandLineEPNS_25PackageContainerInterfaceER12pkgCacheFilePPKc _ZN3APT25PackageContainerInterfaceC2ERKS0_ _ZN3APT14CacheSetHelperD1Ev _ZNK8pkgCache11PkgIterator8FullNameB5cxx11ERKb _ZN3APT25PackageContainerInterfaceD2Ev _ZN3APT12StateChanges6UnholdEv _config _ZN11GlobalError5ErrorEPKcz _ZN12pkgCacheFile11BuildCachesEP10OpProgressb _ZNK8pkgCache11DepIterator10AllTargetsEv _Z8ioprintfRSoPKcz _ZN11pkgDepCache11ActionGroupD1Ev _ZN3APT25VersionContainerInterface15FromCommandLineEPS0_R12pkgCacheFilePPKcNS_14CacheSetHelper11VerSelectorERS7_ _ZNK13Configuration5FindBEPKcRKb _ZN12pkgCacheFileD1Ev _ZN3APT25VersionContainerInterfaceaSERKS0_ _ZN11pkgDepCache11ActionGroupC1ERS_ _ZN11pkgDepCache8MarkAutoERKN8pkgCache11PkgIteratorEb _ZTIN3APT25VersionContainerInterfaceE _ZN3APT12StateChanges4HoldEv _ZN3APT25VersionContainerInterfaceC2ERKS0_ _ZN13Configuration6LookupEPKcRKb _ZNSt6vectorINSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEESaIS5_EE7reserveEm _ZN12pkgCacheFileC1Ev _ZN11pkgDepCache14writeStateFileEP10OpProgressb _Z12_GetErrorObjv _ZN3APT12StateChanges5PurgeEv _system _ZN3APT25PackageContainerInterfaceaSERKS0_ _ZN3APT12StateChanges7InstallEv _ZN8pkgCache11PkgIteratorppEv _ZN8pkgCache11DepIteratorppEv _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE4swapERS4_ _ZSt20__throw_length_errorPKc _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_appendEPKcm _ZSt7nothrow _ZNSt9basic_iosIcSt11char_traitsIcEE5clearESt12_Ios_Iostate _ZSt4clog _ZdlPvm _ZSt29_Rb_tree_insert_and_rebalancebPSt18_Rb_tree_node_baseS0_RS_ _ZnwmRKSt9nothrow_t _ZNSt8ios_base4InitD1Ev _ZTVN10__cxxabiv120__si_class_type_infoE __cxa_begin_catch _ZSt4cerr _ZSt16__throw_bad_castv __gxx_personality_v0 _ZSt16__ostream_insertIcSt11char_traitsIcEERSt13basic_ostreamIT_T0_ES6_PKS3_l _ZdaPv _ZNSo3putEc _ZNKSt5ctypeIcE13_M_widen_initEv _ZNSo5flushEv _Znwm _ZNSt8ios_base4InitC1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_createERmm __cxa_rethrow _ZNSt8__detail15_List_node_base7_M_hookEPS0_ _ZSt24__throw_out_of_range_fmtPKcz _ZSt18_Rb_tree_incrementPKSt18_Rb_tree_node_base _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE10_M_disposeEv _ZSt4cout __cxa_end_catch _ZSt18_Rb_tree_decrementPSt18_Rb_tree_node_base _ZSt19__throw_logic_errorPKc _Unwind_Resume __stack_chk_fail dgettext strlen __cxa_atexit strcasecmp __libc_start_main strncasecmp __cxa_finalize memcmp memcpy libapt-private.so.0.0 libapt-pkg.so.6.0 libstdc++.so.6 libgcc_s.so.1 libc.so.6 GCC_3.0 GLIBC_2.4 GLIBC_2.14 GLIBC_2.34 GLIBC_2.2.5 APTPRIVATE_0.0 APTPKG_6.0 GLIBCXX_3.4.20 GLIBCXX_3.4.11 GLIBCXX_3.4.9 CXXABI_1.3.9 CXXABI_1.3 GLIBCXX_3.4.21 GLIBCXX_3.4.15 GLIBCXX_3.4                                                                        	  
               
                                                                                      P&y   1        '     P   ii
   9       
 C       	 N     ui	   Y                 I    e                 N   t        
         p        a        )  
      yѯ        ӯk        q        e        t)                      I                   H                   I                                      p                                                                                                  p      0                   8                   @                   H                   P                    X                   `                   p                   x                                                                       П                   `                                                                                                               7                   7                   7                   Q                    Q                    =                    h                                        K                    S                    T                    Y                    I                    o           @         _           P         m           X         c                    j                    g                    \                    `           P                    X                    `                    h                    p                    x                                                                     	                    
                                                            
                                                                                                                                                                                                                                                                                                     (                    0                    8                    @                     H         !           P         "           X         #           `         $           h         %           p         &           x         '                    (                    )                    *                    +                    ,                    -                    .                    /                    0                    1                    2                    3                    4                    5                    6                    8                     9                    :                    ;                    <                     >           (         ?           0         @           8         A           @         B           H         C           P         D           X         E           `         F           h         G           p         H           x         J                    L                    M                    N                    O                    P                    R                    U                    V                    W                    X                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           HHݯ  HtH         5  %  @ %  h    %  h   %
  h   %  h   %  h   %  h   %  h   %  h   p%ڬ  h   `%Ҭ  h	   P%ʬ  h
   @%¬  h   0%  h    %  h
   %  h    %  h   %  h   %  h   %  h   %  h   %z  h   %r  h   %j  h   %b  h   p%Z  h   `%R  h   P%J  h   @%B  h   0%:  h    %2  h   %*  h    %"  h   %  h    %  h!   %
  h"   %  h#   %  h$   %  h%   %  h&   %  h'   p%ګ  h(   `%ҫ  h)   P%ʫ  h*   @%«  h+   0%  h,    %  h-   %  h.    %  h/   %  h0   %  h1   %  h2   %  h3   %z  h4   %r  h5   %j  h6   %b  h7   p%Z  h8   `%R  h9   P%J  h:   @%B  h;   0%:  h<    %2  h=   %*  h>    %"  h?   %  h@   %  hA   %
  hB   %  hC   %  hD   %  hE   %  hF   %  hG   p%ڪ  hH   `%Ҫ  hI   P%ʪ  hJ   @%ª  hK   0%  hL    %  hM   %  hN    %  hO   %  f        H;HsH)Ht,HDL  RHH"L`  LH
H|$H|$H|$(,[  H|$0HD$ /  L	[  H|$(Z  LH<$:H|$ 0H|$h6H|$`L\  H|$XB\  H|$08\  H|$P.\  H|$HTH\H<$H|$0H<$H<$H|$[  H<$m@  H|$8ӉH  H<$H\$@HHT\  H|$ ZY  H|$(HH|$ >Y  LH<$H\$@6H<$+H<$H\$@H|$H|$[  H|$[HcH|$L[  LLZ  HD$0HD$HH<$[  H|$HLLZ  LXLZ  HD$ H$H|$ YX  L1H|$(HH|$ 5X  AV  A   V  UHAVAULuIATLeSLH@dH%(   HE1}HALH,  L
  	   LPH	  H
.  PAUfH=  H FLLL]  LHUdH+%(   u
He[A\A]A^]HHD  SH  H@H=  H[H  9f     1I^HHPTE11H=  f.     @ H=  Hڦ  H9tH  Ht	        H=  H5  H)HH?HHHtHe  HtfD      =%   u+UH=   HtH=F  id  ]     w    ATUSHdH%(   HD$1Hu#1HT$dH+%(   u|H[]A\     HIHT$D$ H=I  H5u  HtHXHHuD  H[PHtHCHtH9uH3HLu׸   t HH{  AWIAVAUIATIUSHL9   oHPHyH9u$C  f.     o"HHgL9t<HJHq@H
I$LJAHHHD΀yuo*HHhL9uL)1HHH~fD  AoHHuH[]A\A]A^A_D  ILD$I?IMILLHHHHHM)x  LD$
HIt8HGHH@H@$H4HpHHHDxtLLLHHH9  H9  HIIH)I)HIHL)I9   IM)M9}f     LHLM~1L1@ oo	HHHJAI9uIMHIHtrMI)LIM)M9|HLHHLII)M~5HL1D  oHHoHAI9uIM)HIIHuH)HHH[]A\A]A^A_@  ;H9tHHfo0oHHr@H9uHff.      ATL%r  H5 u  UH-H>  SHLH`  dH%(   H$X  H2s  Hl$H$H5u  LHl$ HD$Hs  H-  HD$H5u  LHD$(Hs  HD$0H*  HD$8lH5
r  LHl$PHD$@Hr  HD$HGH5u  LHl$hHD$XHq  HD$`"H$   LH5u  HD$pHr  HD$xH*r  H$   Hq  H$   H#r  H$   H$   H$   Hq  H$   H-B  H$   HǄ$       HǄ$       HǄ$       HǄ$       H$   gH5t  LH$   H$   Hq  H-G  H$   2LH5t  H$  H$   Hp  H$  H$(  fHKq  H$  Hp  X  H$   Hp  H$8  Hp  H$P  Hp  H$h  Hp  H$  Hp  H$  Hp  H$  Hp  H$  Hp  H$  Hp  H$  Hp  H$  H(L  HǄ$0      H$@  HǄ$H      H$X  HǄ$`      H$p  HǄ$x      H$  HǄ$      H$  HǄ$      H$  HǄ$      H$  HǄ$      H$  HǄ$      H$   HǄ$      H$  HC    HǄ$       H$(  H$0  HǄ$H      HǄ$P      $8  HX  HHxHHSH$HHH$P  HP  H)H)X  HHSH$X  dH+%(   uH`  H[]A\Hoff.     @ SH5 r  H=2n  Ht'HH,HH=r  H   [ HY  H=R  Hxw C   [ff.     AWAVAUATUSH(H|$H  HD$H@HD$He  HD$LpM1  M~M  I_H   LcMtdIl$Ht~HUH   LjMt)I}HT$jLMm8   HT$MuLj8   HnMtiLHk8   HSHt-HufD  Il$8   L.HtIYI_8   LHt3I% HU8   HHT$HT$HtHI^8   LHtIH|$8   H_Ht
H\$H|$8   H_Ht
H\$bH([]A\A]A^A_ÐfD  AUATUHSH8   H6oK H{IH HC0ID$    ID$0ID$    A$Il$Ht
LID$HkHt_L8   IoE H@ HE0HC0E HC    HC    I]LkH}HtHCHCHmHuHL[]A\A]H\AWAVAUATUSHLsHXH?LcdH%(   HD$H1HD$0HD$HD$ L9$  HCH|$ HD$0Ld$(LL3HC    C ND  L9   HHC HsL{HS M   LsHHC    HA H|$ Ld$(LsL}LHuLmM9IFHtHt$H|$]H|$Ht$u#L   L)H9   HH9~yxH]H9KH0I9tQMt I  LLHL{LsL{C> Ls7 HCHsHCHHC H[If     HD$H9   L9t}fInIEI} D$0AEMttLt$ HD$0HD$(    HD$A H|$ H9tHD$0HpHD$HdH+%(      HX[]A\A]A^A_f.     fInI} D$0AEHD$HD$ HD$0HD$IzAL{LsD  LHuOH|$D  MtItLHt$LLELd$(Mu MeC& Lt$ f     H|$LH|${D$0ALd$(Mu AWAVAUATUSHXHt$dH%(   HD$H1H9  HG IH9  HGLw0HD$Ld$0fI^MWInMnI7L9LHFHtLLT$LT$u#Hع   L)H94  HH9~  Ld$ MM9  ILl$ HD$0HMvMnL)H\$(HIF    A HH  I^Zf.     HS H9   HCHCHS HCHHC H   H{HHHC    H   H   HCH{H9uHSHt$H  HL\$cH{HSL\$HS HC     HCHCHCHHC H[HxHMn4I L9l$eHD$HdH+%(   R  HX[]A\A]A^A_fHD$ I?L9   HL$H9   oD$(IWIAGH   H|$ HT$0HD$(     H|$ L9nHD$0Hp[    H{HS fD  HH$LLLd$3L\$
f     HT$(Ht HtPLL\$HT$(I?L\$IW H|$ H@ oL$(IAOL\$0Ld$ L$D$0HT$(I?IW H|$ zf.     AWIIAVIAUIATUSHHHH   LKdH%(   HD$x1HBHH?HHH9  Ht$8IMLt$@HL$HHT$0Z    L9W  HsIT$I<$It$HsIt$HI  HHSHC      HD$0H9;  III\$HHLYLLLsH;HLLEHu M9LIFHt;HL$(LD$ L\$Ht$H|$H|$Ht$L\$LD$ HL$(u#M)Ƹ   I9}$HI9  DHHHHIHIMHkI$H9I9  HSHt'H  HHHL$HSI$HL$IT$ H HCI<$ID$HCID$H+H    LT$8Lt$@IHL|$HAuILH?LHH9k  M7Ld$`IOMOLd$PI9  IGLt$PHD$`HEIHLL$XH?IG    HAG HL9  Ld$(MIMLT$ Mo     L97  I>IVMnHsIvH*  HHSIT$HC      HH?HHL9d$   L|$PLt$XILILLHLLkH;M9IFHt*LLL$LD$H|$H|$LD$LL$u#L   L)H9   HH9~  HM4)HkIH9L9tYMt)IX  LHHLL$LkILL$MnB( H     I>MnHCIFH+HfD  HLd$(MHLH;M9   L9tmoD$XHCL3CHtdH|$PHD$`HD$X     H|$PL9tHD$`HpHD$xdH+%(   C  HĈ   []A\A]A^A_ oL$XL3KLd$PLd$`L@ Ld$(Lt$PIH;M9UHT$XHtH{  LHT$XH;HS H|$PDSLkIfD  SHSI$D  LHuM    HLHLLT$ MLD$LL$HL$HL$LL$LD$LT$ D  Hl-H;IIMI$Mt$L9   L9tzHID$HSHCID$HCHtqI<$IT$ID$    ML .f     MHD  HLd$(MI)HHL0HID$HCID$HCM4$L    D$`HT$XH;I9tIT$Ht Ht+LLT$IT$H;LT$HS I<$4AD$IT$H;ff.     AUATUHSHHLgL;gtvI|$LnHFI<$HL9t5I$HVIT$ID$L+HC    C HE H[]A\A]@ HPHHtL0HCf.     HHL[]A\A];E  ff.     AWHAVAUATUSH   H<$dH%(   HT$xHH)H   F  IHe  H$IIH HD$ H$HI^IHH\$L,HX(Hh MeIu L9LHt$HFHtHu#Hع   L)H9  HH9~  MVIvM9LIFHt"H|$LT$(Ht$eHt$LT$(u#L   L)H9}HH9h  `  L9LHFH  HLT$LT$    Ht$ H<$iLt$HL$ LL|$    H$IHLhHI9~Dy6I M~LMM9IFHtI>HuM)   I9|Ld$L}MfD  HH9~y9I MoI7LM9LIFHtH(uL   L)H9|M9s?LLIN +HL)H=H=           ML|$Lt$LLLUH$LH)H     M  MMVIvL9LHFHt HLT$(Ht$dHt$LT$(u"L)Ӹ   H9}HH9?؅5M9LIFHtH|$LT$LT$u"M   M)I9})HI9~DȅyHt$H<$QH<$L@M9  IWHtH  LH4IWI$IT$ IIG      HD$0Ll$PH9R  HD$PHD$@Hl$8HD$`Hl$XLH$LL)1H\$0HD$@ HD$8    H+H|$PL9tHD$`HpCH|$0H9tHD$@Hp+I H aHD$xdH+%(     HĈ   []A\A]A^A_Ld$H$LLL|$PI Ll$`HLsE  HL<$H\$@I I$Il$H\$0H9tHD$0ID$HD$@ID$HD$8I,$AD$ IID$    L9zI$IGID$IGID$M7L@ Hl$8HHHLID$HHtHHuID$rAGAD$IW(3 AWAVAUATUSHH(  dH%(   H$  1L$   LL|$0T   L11LH$    $
  HC      L$   LHhLl$PLLl$(H	  MHLf   LHD$PHD$p    )D$`LHD$hH9D$`  HD$HHHD$HCH-V  HL L  H5V  L  H5W  L  H5V  LtH5V  L  H|$HLHokH  fHH$   Ht$()$   HC H$   HC     C4fot$`H{fHs sHD$p)D$`HC HD$p    HtH)H|$(Lfo$   Ht$pH|$`)|$`H$   fHǄ$       )$   HD$pH?  H)H$   H$   H0  H$   H)HtcLkHD$`H;D$htHD$hH=S  LH5U  Ƅ$    t
  D$ H|$HhHXH$   L-T  HD$HD$GL$   HD$H9uw  D  HT$H|$LD$GL$   H5wU  LH=Æ  HL1H$   L9tH$   HpxHH9;  HCHP@H@$HHHHfHnCHǄ$       )$   HSH$   FfD  Ll$hL|$`LL)HHHH	  HL        IGHH@IG@$H4HpHHHDx	  IG(HH@IG @$H4HpHHHDx	  IG8HH@IG0@$H4HpHHHDx	  I@I9	  IGHH@I@$H4HpHHHDxDM9   LL)HHH
  Ht$Lt$IHIH5}  ILIH
  AoJ H@IHt$LLt$XH9	  oPHPH9uHBo A'HLLLLLIlHCL HLzŅ8  HD$`MHD$8I9  H$   H\$8L=Q  HD$HD$GHD$   fH  HT$H|$LD$GH$   H5XR  LHT$ HT$ H=  H1H$   H$   H9tH$   HpHI9   HCHP@H@$HHHHfHnCHǄ$       )$   <HtgHT$H|$LD$G0H$   H5Q  LHT$ HT$ H=(  H1^;f     H$    H$   fD  H\$`HD$8H9}     H|$HMLLmH)IIH-/f.     oHNHuHIHuH;u uHLm6   H5P  H=O  H-HH1a Ld$hM9k  Ll$8H|$Ld$hHLAfD  H|$HLHokHty  fHH$   Ht$()$   HC H$   HC     Cfot$`H{fHs sHD$p)D$`HC HD$p    HtH)IH|$(LLZ    H|$6HhHXH$   L-N  HD$HD$GL$   HD$H9ut   fD  HT$H|$LD$GL$   H5O  LH=Ӏ  HL1H$   L9tH$   HpHH9tOHCHP@H@$HHHHfHnCHǄ$       )$   HWH$   JfH|$HhHXH$   L-M  HD$HD$GL$   HD$H9ut   fD  HT$H|$LD$GL$   H5N  LH=  HL1H$   L9tH$   HpHH9tOHCHP@H@$HHHHfHnCHǄ$       )$   HWH$   JfH|$HhHXH$   L-L  HD$HD$GL$   HD$H9ut   fD  HT$H|$LD$GL$   H5M  LH=~  HL1H$   L9tH$   HpHH9tOHCHP@H@$HHHHfHnCHǄ$       )$   HWH$   JfH|$HXHhH9   H$   L-K  HD$HD$GL$   HD$nD  HT$H|$LD$GL$   H5P  LH=}  HL1H$   L9tH$   HpHH9t_HCHP@H@$HHHHfHnCHǄ$       )$   HWH$   JL;l$h'D$ fH|$H|$`Ht  HD$PHt
Ht$pH)H|$(H|$0H$  dH+%(   {  D$ H(  []A\A]A^A_ÐH|$1D$ tH5DO  H=&J  H}HH1 L D$  ufD  H	t  H$   @ L9d$hx	LL)HH  HG  HIGHP@I@$HHHHHHDxs     I    I     I0LH\$`I9eH|$"HLHocH s  fHH$   Ht$()$   HC H$   HC     C?fod$`H{fHs cHD$p)D$`HC HD$p    HtH)H|$(Lfo$   H|$`Ht$p)d$`IGHP@I@$HHHHHHDx|IIGHP@I@$HHHHHHDxMI`LHt$Lt$E1E1E1HtHCHH>HAH9H1HbH!HHHBH:HHH,H.HHff.     AWAVAUATUSHH  dH%(   H$  1H$   IHHD$H1L'L$   MP  HCHx t;H5?L  H=F  H0HGH  HH1     H$P  H=y  H51H  Ƅ$P   HH\$UD$H$  1HHD$PjHp  HǄ$0      H$  H$0  HD$ H$@  H$H  IGHǄ$8      ~@@fHnHǄ$P      HǄ$`  fl)$P  H$X  HtgH$P  H;P@tYJHphH<HyHH9t*Ht%R HRHIWB uQ
  D  H|$VH$X  HuH$`  Ht$PHHD$0/H$8  L$  Ho  Ǆ$      H$`  HǄ$      L$  L$  HǄ$      HtTL HD  HHRHuH$  HHHRHuH$P  H$  H$  H$  H$  1HHD$XH$   L$  1Ǆ$      Hn  HHǄ$      H$  L$  L$  HǄ$      HD$`<H$   H|$pLH$   Ǆ$       HǄ$(      HD$@H$0  H$8  HǄ$@      H|$h"H$(  H$   HD$(  fD  |$ t
   H5E  H=s  QH|$1Hm  H$  Ǆ$p      L$  H$P  H$p  HǄ$x      H$  H$  HǄ$      L9u  HHL9l  Hk LH/  I9uHC(HtH@@H9C tHLz-  |$ _  H|$(H/  HS H9D$ uB H@HIG@   HC(RHHhH$   Ǆ$       H4HrH   HHHDH   R HHH$   Hs  HHH$   H   H9$   IxH$   fo$   HD$Hfo$   H)$   )$   PH$   H$  H<$H$   HuHHL9 Ht$H|$0H$  HtH{HH[8   HuH$x  L$  HǄ$      L$  HǄ$      HtG$p  fHn$  $  H$  $  H$  L`H$  H$  H|$HEk  H$P  H$   H$@     H5sF  H=@  HH$  HD$ H$  HD$H$  HR  HH$P  HH  H?  H
  HT$H$  H5VB   cq     H=r  Ƅ$P   9BHT$HD$AH$0  HD$@H9  ok H-cr  H$  H$  H)$P  HC0H$`  gE1      H$  Ht$HH$OEtHL$IcH$  H9  HE H@L   MR
  A|$8   At$CHNHHǺ   H5YA  E1H$  H$  HH$  H$  D$  H9tH$  Hp9HHHD$@H9  oc )$P  HC0H$`  EHE H@L   Mz	  A|$8   At$CH{H   H5@  HIH$  Ht$HH$H$  H$  LH$  L$  L9tH$  HpUHt$H<$觾H$   t@   H5@  HxH$  H$  H`HǺ   H5?  LH$  L9fD  
   H5j?  H=
q  H$  H$   HƄ$   HH$H$  H$  H=p  տHǺ   H5J>  H$  H$  H9H$  HpGfH$   H$    H<$诿HHD$8H   Hh     HU HH   B$IHHw@HHHHHHE@tLRDJ@LGhI9PDufHnfHnHǄ$       fl)$   HtH9tHt$H$h  &  HU HHqH|$8F   HL谽HC(HS H%H9P@H$  HE&  HS H5=  H=;  HH  HH-l  莼HHH Hl  H@H   HX  {8 ?  sCHNH趼3  LI$H  
   H@0H9LfD  L谽I$He  
   H@0H9`LSfD     H5<  H\AHm  H@H   H  {8 q  H5HH  
   H@0H9  HaHɻH$  HD$H9tH$  Hp膼HT$H=l  H5$;  Ƅ$P   ֺ\     H|$hH$(  H8d  H$   HtH}HHm8   HuH|$`蚽H$  Hc  H$  HtH}HHm8   ԻHuH|$XUH$  Hc  H$`  HtH}pHHm8   菻HuH|$0H$8  Hic  H$  HtH}+HHm8   JHuH|$P˼H|$HAH$  dH+%(     H  []A\A]A^A_1H5:  H=8  1Hո   1LnHt$H|$ 1H$  HH$P  H$  HHH$P  H$  U $  HúHHy  
   H@0H9HH   HHظHHH   HHuF  D  </  HHs4@  L$  HǄ$     L$  f$  H?H9,  H$  HHHH$ŷH$  H$  H$  L9tH$  Hp`h|$    Hg     H58  H肹H$P  H$X  HHV8H    H)HHHD    H   H蚷HHH,Hf  H@H   H_  }8 tWuCH^HƷH$X  HH@@H9$P  Ht$H$(     |sCH軸HE Hp  
   H@0H9tHH1g  H-*g  HxHw CHe  HxHߋw H|$PH9   HH4H)ClH>  L$  HǄ$     L$  f$  H=(;  賶H$  H=6  H$;FA<72荷HH56  H=\:  1赸H隺HͺHHHHHsHHHyH鏺HsH鼺HEHGff.     fAWAVAUATUSHH  L$   L$  dH%(   H$x  1fInLLl$(fl)$   Lr1LL$8  M  HC      L$   LHhŷH$   1HHD$ 螴fo$Ht$ HLH_]  LHǄ$      H$   $   CL;H$   L9  HCH53  H8践fHD$P    D$H$P  H$A)D$@   f.     T$  oeHE HT$=H$   H<$D$=H\$@H$   )$   H$P  H59  H=2   H=e  HH1LH$P  H$`  H9tH$`  HpƴHm L9   HEHz  @ H@HIF@ D8+oUH<$HT$?LD$?H\$@)$   HE H$   WH4$HH$P  H$`  H9tH$`  Hp%o]ALL)$   HE H$   mHm L97H=c  LH52  Ƅ$    H\$@=Ld$HLl$@M9    LLt$@f.     D$H] H57  uH58  H= 1  zHH=c  LH1õH I9u   LfH} HEH9t
HEHp6H I9uMtHt$PLL)H$   HZ  H$   L9t@ HHm (   L9uH|$ hH|$(޴H$x  dH+%(   ^  HĈ  []A\A]A^A_ omHE HT$>H$   H<$D$>H\$@H$   )$   gH$P  H56  H=/  LH=eb  HH1蘴G ouHE HT$<Ht$`H<$D$<H\$@HD$p)t$` H$P  H55  H=/  H=a  HH11@    fD     1H\$@LÄ@D  ۰H5/  H=/  HuHH1 1蔱H鈵H霵HmHWH騵H醵HbH逵H铵ff.     AWAVAUATUSHHX  dH%(   H$H  1H$   IHHD$a   LԮ1LjL$   MI  HkfH5R.  HD$@    )D$0H} 蓰AH} B  L|$PHD$0   1LHD$HCL$   1LHXʮHT$HLLH$   HX  Ǆ$       H$   HǄ$       H$   H$  HǄ$      MHD$0H$  HHD$  H$   H9tAfD  HC Pt @ H@HID$@ D8  HHH9uH$   HNW  H$   HtH{HH[8   /HuL貰L蚮Ll$8L|$0M9  LLLL)HHHHcHEH   p  I   LH6I9tHH 4I9uLL5]  " At$CHBH読H I9taHUHu LHH H@L   Mj  A|$8 uL覮I$H
[  
   H@0H9tL LD  H;HCH9t
HCHpH I9uMtHt$@LL)   H|$H$H  dH+%(     HX  []A\A]A^A_    oK HT$/Ht$pD$/)L$pHC0H$   H$   HHD$fHt$H|$H$   H$0  H9H$0  Hp-     ID$H@0pHHD$0HHD$H!
  ID$L$   HǄ$   L~@@fHnfl)$   .H$   HH$   H;P@JtB H@HID$@ D8t/LfD  LL     1mH$   HT$pLD$pHHD$H$H|$HH$   H$0  H9tH$0  HptǬ"HqHsH釰HmH遰H鋰HHD$0HD$oAWAVAUATUSHHH  dH%(   H$8  1H$   IHHD$11L襭L$   M  Hk	   H5y)  A   Lu LB  fH} HD$0    )D$   L|$@HD$    1LH$萬HCL$   1LHXfHT$HLLH$   HR  Ǆ$       H$   HǄ$       H$   H$   HǄ$       HD$ H$   HH$P  H$   L$  H9u   fD  H訪HH9|   HC @D9uoK HT$Ht$`LD$)L$`HC0HD$pH<$LH$  H$   H9tH$   Hp賩H+HH9u H$   HQ  H$   HtH{KHH[8   jHuLLըLl$(L|$ M9  LLLL)HHHHcHH   C  I   LHqI9t@ HH lI9uLL5W  " At$CHzHH I9taHUHu LHH H@L   M-  A|$8 uLިI$H
  
   H@0H9tL LD  H;HCH9t
HCHp7H I9uMtHt$0LL)   H|$H$8  dH+%(     HH  []A\A]A^A_    
   H5%  LA   莨
   H5%  Lr   H5j%  LA   P^   H5[%  LA   .A 8fHD$ 2   HH$:  A~E@fInL$   HǄ$   Lfl)$   wH$   HH$   H;P@BD9tLCʐLL5H$  HT$`LD$`H裧H<$HGH$  H$   H9tH$   Hpq    1M<藦H<H_HiHHD$ H$NHHH&fD  AWAVAUATUSHH   dH%(   H$   1Hl$hL$   fHnLL|$(fl)$b   Lգ1LkL$   M  HCLl$0      LLp+HD$P1HHD$ fo$Ht$ LLHL  LHD$x    HD$PL$h赧L譤H9l$hR  HCH5s#  H8/H=U  LH5$  D$0 A^H\$hD$AE1$H9   fHSB   B H@HID$@ D8tv|$ tJRHsH    HN8H)HHHD1ҋ t	H   $H5l$  H={T  1账oC$LL)D$0HC HD$@裣AHH9SEtH='T  LD$0 H5"  st_JH5(  H=!  HHH1跥GfH5)"  H=^!  H赢HH18    1LAH\$hHJ  HD$PH9t     HH(   `H9uH|$ H|$(WH$   dH+%(   u!H   D[]A\A]A^A_    E1NHMH_H3H=f.     @ f.      HGH;G@ H@     HG@f.     HGH9G@ HGH;GtHGÐHGH+GH HG(f.     ATHI  IUHoSH_HH9tfHH(   0H9u[L]A\鯣f.     D  HF1HtUUSHHH@@H9t3H(   ֡oHuH@HCHG 蚟HE(   H[]    f.      HQI  SHHHHtHs H)}H[鄠@ ATIUHoSfHnflHH_)$H9t HH(   8H9uID$(    fo$AL$H[]A\fD  ATHH  IUHoSH_HH9tfHH(   H9uLc[L]0   A\ fHqH  SHHHHtHs H)蝠H襟H߾(   [釠    UHSHH_(HtH{5HH[8   THuHE HE(    HE0HE8HE@    H[]f.     fUHH  HSHH_(HHtH{˯HH[8   HuHH[]g    UHG  HSHH_(HHtH{{HH[8   蚟HuHHHH   []zf.     ATIUSHoHH9t+D  H;HCH9t
HCHp?H H9uI$HtIt$HH)[]A\f     []A\f.     AWHAVAUATUSHH:   HHGIIH)HH9rH[]A\A]A^A_D  HGILLl$H)H$茞M|$M4$IM9t[M)InHI @ HHU HSHCH H L9t,H{HEH;HUH9uHHtH藝HEĐMtIt$LL)L4$HL$M,$MLMt$IL$H[]A\A]A^A_H="  賜 HAWAVAUATUSHLL'LL)HH9#  M9   IIHEHL)H   H      1E1o
A0M9t/LLLL)L    oHH@H9uHXM9tM)HLL$LLzL$MtIuLL$L)L$ME I]ImH[]A\A]A^A_    HHHT$H4$譜H4$HT$IHHX1HH9HGHHH=!  Of.     D  HF1Ht(H@hH9tHGH;G t"oH   @HGf.     HHHH=   H HHtHwHH)f     f.     D  HAWAVAUATUSHLL'LL)HH9#  M9   IIHEHL)H   H      1E1o
A0M9t/LLLL)L    oHH@H9uHXM9tM)HLL$LLzL$MtIuLL$L)L$ME I]ImH[]A\A]A^A_    HHHT$H4$譚H4$HT$IHHX1HH9HGHHH=  Of.     D  AWAVAUATUHHSH8LwL?LL)HH9W  M9   IIHEIHM)H  H  HD$        E1MHE HuLUIyI9H9  IHEIAMQHu HE    E M9tI_MHL#    HU HHUH HEH I9tDH}HCH} HSH9uHHtHLD$LL$贘HCLL$LD$@ LL)I\ M9t`M)IhN3 HHE HCLsH H L9t<HEH{LuH;H9uLHtHLD$:LD$ ID  MtIt$LLD$L)讘LD$HD$M,$MD$ID$H8[]A\A]A^A_    HHLD$LL$TLL$LD$IHHD$I] ND  LHfLD$(LT$ LL$Ht$zHt$LL$LT$ LD$(4HH9HGHHnH=  訖     AWLAVIAUIATUSHH_H  HnL&1ID  HC   HtDHH   HE@HK(I9HHS IEH   HA@H9tH9rHC1HuI@   HtHI@1H9HDHtLM@L9   M9   D$   M9   8   LT$ݖAoHT$LHË|$@ IFHHC0襔IE(   HH[]A\A]A^A_fD  1>f     1f     1@ I;]aHvIIHP HH(HHtHm@1I9IJ IEHIB(HtH@@H9t71H9D$@ L;tL&HnLD$   MD$    HF1Ht%H@@H9tHH   HD  f.      SHGH_H   H>IHvE1    H9t6LHt9HH(HP HtHI@H9IDHtNHN@LHL@H9rILHuL9t$H9IR HDIB(HtH@@H9sH9LEL[@ 1@ I[LAWAVAUATIUSHH   Ht$dH%(   HD$xHH)HHHL$H m  HALt$@IHl$`I?IILHL|HD$PHD$   @ IfHnMHD$0fHnIG    flA Hl$PD$8L9  HD$PHT$`HL$XHT$HLHL$Lt$0HD$8    D$@ ЬH|$PH9tHD$`HpH|$0M   IL9tHD$@HpÓI IGIOLt$0L99HHD  LLHL$(HT$ A HT$ IG    HL$(Hl$PLHHL$ 輒HL$ %fL9tHD$@Hp=HD$@Lt$HD$HCHD$M9r{   I M9k  InLkM>H3L9LHFHtL覑uH   L)H9}HH9~yHD$INHD$0I9  IFL|$0HD$@IHt$AF HHl$8HIF    H9a  IHCIFHCIFHD$HHC    H|$Hl$` HD$0Hl$PH9   HD$PHD$@HL$8HD$`HD$HT$H1HL$XHL$PHD$0HD$8    D$@ 蹪H|$PH9tHD$`HpёH|$0HD$H9HD$@I Hp謑M9 HD$xdH+%(      HĈ   []A\A]A^A_f.     HH6fD  IG    A Hl$PfHL$8HHHHHL$ ~HL$ @ L9HSHtHtXHt$HKHSIIV H~@ HH)HHHL$ HL$ f     CAFHS͐ HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     APT::Never-MarkAuto-Sections apt Mark a package as held back unhold showauto showmanual showhold showholds showheld showinstall showinstalls showdeinstall showdeinstalls showremove showremoves showpurge showpurges unmarkauto No packages found %s was already set on hold.
 %s was already not on hold.
 APT::Mark::Simulate %s set on hold.
 Canceled hold on %s.
 Selected %s for purge.
 Selected %s for removal.
 apt-mark minimize-manual Debug::AptMark::Minimize Found root  basic_string::append basic_string_view::substr Iteration
     Visiting  No changes necessary APT::Get::Show-Versions      ( ) Do you want to continue? APT::MarkAuto::Verbose changing %s to %d
    Mark the given packages as automatically installed      Mark the given packages as manually installed   Mark all dependencies of meta packages as automatically installed.      Unset a package set as held back        Print the list of automatically installed packages      Print the list of manually installed packages   Print the list of packages on hold      Usage: apt-mark [options] {auto|manual} pkg1 [pkg2 ...]

apt-mark is a simple command line interface for marking packages
as manually or automatically installed. It can also be used to
manipulate the dpkg(1) selection states of packages, and to list
all packages with or without a certain marking.
      Executing dpkg failed. Are you root?    Selected %s for installation.
  %s does not take any arguments  %s: __pos (which is %zu) > __size (which is %zu)        The following packages will be marked as automatically installed:       basic_string: construction from null is not valid       %s can not be marked as it is not installed.
   %s was already set to manually installed.
      %s was already set to automatically installed.
 %s set to manually installed.
  %s set to automatically installed.
     This command is deprecated. Please use 'apt-mark auto' and 'apt-mark manual' instead. vector::reserve vector::_M_realloc_insert                 N3APT16PackageContainerINSt7__cxx114listIN8pkgCache11PkgIteratorESaIS4_EEEEE                    N3APT16VersionContainerISt6vectorIN8pkgCache11VerIteratorESaIS3_EEEE                            N3APT16PackageContainerISt3setIN8pkgCache11PkgIteratorESt4lessIS3_ESaIS3_EEEE / ;  ;   Pw0  `|X  p|D  |  |  |@  }  }0  G~  ~ 
  ~
  0l   
  0    <  Ёp    $  D  P  0h       ``	  
  
   d     T    D
  p              0  @  P  d    @      0    @  @X      @@  X    @	  	  	  
  0
             zR x      (~"                  zR x  $      u   FJw ?;*3$"       D    z              \   X          p   T             P	             L             H             D             @
             <       (      8A    BKE dDB   0   (  }    BAA D0k
 AABI  t   \  X~   OEB E(D0A8DP
8A0A(B BBBF8D0A(B BBBEAP       zPLR xE#    8   $   a  	  BOH M&
 DABA      `   $x   u	    (   P  4c    LAG @CAH    |  x,    H_   ,     Z    BDE M0} AAB (     N    BKE lDG        9    Hl        d    A{
Dc H   0  4   BBB B(A0A8D`8A0A(B BBB   <        3  BBA D(L0
(D ABBA      v"     0 $     8T    ADD HAA$     pI    AKD oDA $   ,  V    AKD wIA L   T     BBB B(A0A8K
8A0A(B BBBK   L     `V   BBB B(A0A8D
8A0A(B BBBC   L     p   BHE E(A0A8Qk
8A0A(B BBBD   4   D  e    BDA H
ABNAAB  `   |     BEB B(A0A8DPg
8A0A(B BBBF
8A0A(B BBBA H     a   LBB B(A0A8DP
8A0A(B BBBH    ,  ]    DX   D  @!       4     v     AC
DIEO. P. @
A       t   Y    H      a   LBB B(A0A8DP
8A0A(B BBBH H      $   BBB B(A0N8Dp
8A0A(B BBBHH   L      BBA D(G0M
(A ABBEl(G ABB  H     ,   BFE E(A0A8DP
8G0A(B BBBG     3    XR          A
ELL     c   BBB B(D0A8JT
8A0A(B BBBK   L   l     BEB B(A0A8G
8A0A(B BBBA        (u'    AZ   P     ̔5    BBB B(A0A8J 
8A0A(B BBBB       \  ~qW   j  P       N  BBB B(A0A8J
8C0A(B BBBA         ]q     P         BBB B(A0A8J
8C0A(B BBBD       L  q{     P   p  T`    BBB B(A0A8J8
8C0A(B BBBH         qV     P     <    BBB B(A0A8J
8C0A(B BBBH       <	  uqP     P   `	  T"  c  BBB B(A0A8J
8D0A(B BBBH       	  MqC   /           	  Xe     
         .  e u   7  DB          L p       
  
 c  (  .  L Z   Z   Z   Z     L +  :  D% % % % % % % % ~% <% =% % % 1$ ,% % % % 0% ?% '% '% % 1% % %  %  % #% #,% #% $% $% $% $% $% $% $% $% R  RL  YB  
 
  
 
 
  	
 	
 

 
(
 7  F:  G
 
 
 
 
 o
 
 
 
 	
 

 !  ::  F
 
 
 
 p
  
 

 

   I  V?                                      I      H      I                    p                               p                                                                                          П      `                                                                                                                        
                          '              @      
                                                                   o                              `      
                                                 8                                        (             8$                   	                            o          o    "      o           o    "      o                                                                                                                                 6@      F@      V@      f@      v@      @      @      @      @      @      @      @      @      A      A      &A      6A      FA      VA      fA      vA      A      A      A      A      A      A      A      A      B      B      &B      6B      FB      VB      fB      vB      B      B      B      B      B      B      B      B      C      C      &C      6C      FC      VC      fC      vC      C      C      C      C      C      C      C      C      D      D      &D      6D      FD      VD      fD      vD      D      D      D      D      D      D      D      D      E      E      &E                                                                            /usr/lib/debug/.dwz/x86_64-linux-gnu/apt.debug g;Q! b996763122ab585ee0133525fbbd4b372420fc.debug    2e
 .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .gcc_except_table .init_array .fini_array .data.rel.ro .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                     8      8                                     &             X      X      $                              9             |      |                                     G   o                                                Q             `      `      
                          Y                                                      a   o       "      "                                  n   o       "      "      @                           }             8$      8$                                       B       (      (                                              @       @                                                  @       @                                               0E      0E                                                @E      @E      l                                                      	                                                                                                                                                                                                                                                                                                                                                                                                                                                    @                                        8      8                                                                                                      @                          @                                          C                              )                     \      4                                                          8                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     ELF          >    :      @       p          @ 8 
 @         @       @       @                                                                                                      *       *                    0       0       0      I:      I:                    p       p       p                               H      H      H      x      
                   0      0      0      @      @                   8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd   `v      `v      `v      <      <             Qtd                                                  Rtd   H      H      H                         /lib64/ld-linux-x86-64.so.2              GNU                     GNU :(t'EzǇa         GNU                      U         @ $
#0U   W   `   em=o0C!" +
6P@iU|.^C                        ~                     	                                                               	                     =
                                          z                                                                                                         :                     
                                           q                                                               q	                                                                                                         0                     A                     -                                          a
                     W	                                                                                                                                                                                                                   
                     
                                          \                     m                                          0                                          
                                          T                                          Q                                          c                                          S
                                          F                                           
                                          ~                                          1                                          
                                          
                                            ^                     
                                          :                     q                                                                                    A                     |                     
                                                                 ,                                            p                       "                      "  d              !   v      )         "  h      o      I  !         0       h  !  `      p       i	                                   	    0                  @              "   g      o      `  !  К             |  !                 !   v             
                  _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable _Z16ParseCommandLineR11CommandLine7APT_CMDPKP13ConfigurationPP9pkgSystemiPPKcPFbS0_EPFSt6vectorI19aptDispatchWithHelpSaISF_EEvE c0out _Z10AcquireRunR10pkgAcquireiPbS1_ c1out _ZNSt6vectorINSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEESaIS5_EE17_M_realloc_insertIJRKS5_EEEvN9__gnu_cxx17__normal_iteratorIPS5_S7_EEDpOT_ _Z10InitOutputPSt15basic_streambufIcSt11char_traitsIcEE _ZN24aptAcquireWithTextStatusC1Ev _ZTS24aptAcquireWithTextStatus _Z19DispatchCommandLineR11CommandLineRKSt6vectorINS_8DispatchESaIS2_EE _ZTV24aptAcquireWithTextStatus _ZTV13AcqTextStatus _ZTI24aptAcquireWithTextStatus _Z8ExecForkv _ZNK11CommandLine8FileSizeEv _Z8ExecWaitiPKcb _ZNSt6vectorIPKcSaIS1_EE17_M_realloc_insertIJRKS1_EEEvN9__gnu_cxx17__normal_iteratorIPS1_S3_EEDpOT_ _ZN6FileFd14OpenDescriptorEijRKN3APT13Configuration10CompressorEb _ZN3APT8Internal17PatternTreeParser8parseTopEv _Z14DropPrivilegesv _ZN10pkgAcquire6SetFdsERiP6fd_setS2_ _ZN3APT13Configuration14getCompressorsEb _ZN14HashStringList9push_backERK10HashString _ZN3URIcvNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEEv _Z13GetSrvRecordsNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEiRSt6vectorI6SrvRecSaIS6_EE _ZN11CommandLineD1Ev _ZN10HashString15SupportedHashesEv _Z11QuoteStringRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEPKc _ZN11CommandLineC1Ev _ZNK13Configuration4FindB5cxx11EPKcS1_ _Z8CopyFileR6FileFdS0_ _ZNSt6vectorIPKcSaIS1_EE17_M_realloc_insertIJS1_EEEvN9__gnu_cxx17__normal_iteratorIPS1_S3_EEDpOT_ _Z13GetSrvRecordsNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEERSt6vectorI6SrvRecSaIS6_EE _Z10FileExistsNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _ZN3APT6String10StartswithERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES8_ _config _ZN11GlobalError5ErrorEPKcz _ZN10pkgAcquireD2Ev _Z8ioprintfRSoPKcz _ZN6FileFdD1Ev _ZN10pkgAcqFileC1EP10pkgAcquireRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEERK14HashStringListyS9_S9_S9_S9_b _ZN10HashStringC1ENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _ZN6FileFd14OpenDescriptorEijNS_12CompressModeEb _ZN6FileFdC1Ev _ZTIN3APT8Internal17PatternTreeParser5ErrorE _ZN16pkgAcquireStatusD2Ev _Z15AutoDetectProxyR3URI _ZTI10pkgAcquire _ZTSN3APT8Internal17PatternTreeParser5ErrorE _ZN6FileFd4OpenENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEjNS_12CompressModeEm _Z12_GetErrorObjv _system _ZN3URI8CopyFromERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _ZN10pkgAcquire6RunFdsEP6fd_setS1_ _ZNKSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE7compareEPKc _ZSt20__throw_length_errorPKc _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_appendEPKcm _ZNSt9basic_iosIcSt11char_traitsIcEE5clearESt12_Ios_Iostate _ZTISt9exception _ZdlPvm _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE7reserveEm _ZNSo9_M_insertImEERSoT_ _ZNSt7__cxx1118basic_stringstreamIcSt11char_traitsIcESaIcEEC1Ev _ZNSt8ios_base4InitD1Ev _ZTVN10__cxxabiv120__si_class_type_infoE __cxa_begin_catch _ZNKSt7__cxx1115basic_stringbufIcSt11char_traitsIcESaIcEE3strEv _ZSt16__throw_bad_castv __gxx_personality_v0 _ZSt16__ostream_insertIcSt11char_traitsIcEERSt13basic_ostreamIT_T0_ES6_PKS3_l _ZNSo3putEc _ZNKSt5ctypeIcE13_M_widen_initEv _ZNSo5flushEv _ZStlsISt11char_traitsIcEERSt13basic_ostreamIcT_ES5_PKc _Znwm _ZNSt8ios_base4InitC1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_createERmm __cxa_rethrow _ZNSt7__cxx1118basic_stringstreamIcSt11char_traitsIcESaIcEED1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE10_M_disposeEv _ZSt4cout _ZNKSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE4findEPKcmm __cxa_end_catch _ZSt19__throw_logic_errorPKc _Unwind_Resume __stack_chk_fail memmove strtol dgettext strlen __cxa_atexit execvp _exit __libc_start_main __cxa_finalize memcmp memcpy libapt-private.so.0.0 libapt-pkg.so.6.0 libstdc++.so.6 libgcc_s.so.1 libc.so.6 GCC_3.0 GLIBC_2.4 GLIBC_2.14 GLIBC_2.34 GLIBC_2.2.5 APTPRIVATE_0.0 APTPKG_6.0 GLIBCXX_3.4.11 CXXABI_1.3.9 GLIBCXX_3.4.26 GLIBCXX_3.4.9 CXXABI_1.3 GLIBCXX_3.4.21 GLIBCXX_3.4                                                                      	   
                
                                                                      P&y   5        +     P   ii
  
 =        G       
 R     ui	   ]                 I    i                 N   x                 a        yѯ        v  	      )        ӯk        q        t)         H             ;      P             :      X             `;      ؚ              v                    v                                        b      (             Pb                                       q      (             u      0             p      8             q      P             q      X             q      `             p      h             q      p             q                   q                   q                   q                   К      К         2                   2                   O                    ,                    Q                               П         U           ؟                             D                    P                    R                    T                    @           `         Z                    [                     c                     \           0         ]           @         ^                                                                                                                                                                	           ȝ         
           Н                    ؝                             
                                                                                                                                                                             (                    0                    8                    @                    H                    P                    X                    `                    h                    p                     x         !                    "                    #                    $                    %                    &                    '                    (                    )                    *           Ȟ         +           О         -           ؞         .                    /                    0                    1                    3                     4                    5                    6                    7                     8           (         9           0         :           8         ;           @         <           H         =           P         >           X         ?           `         A           h         B           p         C           x         E                    F                    G                    H                    I                    J                    K                    L                    M                    N           ȟ         S                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           HHo  HtH         5Rm  %Tm  @ %Rm  h    %Jm  h   %Bm  h   %:m  h   %2m  h   %*m  h   %"m  h   %m  h   p%m  h   `%
m  h	   P%m  h
   @%l  h   0%l  h    %l  h
   %l  h    %l  h   %l  h   %l  h   %l  h   %l  h   %l  h   %l  h   %l  h   %l  h   p%l  h   `%l  h   P%l  h   @%zl  h   0%rl  h    %jl  h   %bl  h    %Zl  h   %Rl  h    %Jl  h!   %Bl  h"   %:l  h#   %2l  h$   %*l  h%   %"l  h&   %l  h'   p%l  h(   `%
l  h)   P%l  h*   @%k  h+   0%k  h,    %k  h-   %k  h.    %k  h/   %k  h0   %k  h1   %k  h2   %k  h3   %k  h4   %k  h5   %k  h6   %k  h7   p%k  h8   `%k  h9   P%k  h:   @%zk  h;   0%rk  h<    %jk  h=   %bk  h>    %Zk  h?   %Rk  h@   %Jk  hA   %Bk  hB   %:k  hC   %2k  hD   %*k  hE   %"k  hF   %k  hG   p%k  hH   `%
k  f        H;HsH)HtH$HLHHH<$Ld$8Hl$0I9t4H} HEH9t
HEHpBH8HH|$H|$0Ht$@H)HtHH$`  \H$@  OH$   BH$   5H|$+H<$"HJH<$H|$@H|$ H|$,  HH<$LH|$Ht!HH+  H@H9      MHHH   XLl$PLH8Hl$`H5:  HHsHHH5:  HsHHH5:  HS(Hs HL5):  HLID$HHp{HLpE1LcM9s9H5e:  HUIHLHHL=.:  L;crWLHHl$0Ht$hHHIHT$0H5$:  H1HkLCN1J  LHIHH;ZH*H߾  LLLM9   LI~ H0H9tIF0HpHLI>HH9tIFHpH\LH@IHLLMM9t/LI>HH9tIFHpHLH IHL)MtLH`|)  HdHH H)HuHHh]AM9    H}HHHHL^/  LHH|$Ht$ H)HtHt$  H`H|$VH|$LH<$cL[HcH|$ y)      UHAVAULuIATLeSLH@dH%(   HE1HALH  Lf     LPH  H
i  PAUFH=g  H FLLLQ.  LHUdH+%(   u
He[A\A]A^]5HHD  SHi  HH=Qe  H[HVe  yf     1I^HHPTE11H=d  f.     @ H=e  He  H9tHd  Ht	        H=e  H5e  H)HH?HHHtHd  HtfD      =h   u+UH=Zd   HtH=d  9dh  ]     w    ATH5G6  L%P  UH-J4  SHHH   dH%(   H$   H4  H$Hw  HD$MH5&6  HHD$H3  HD$H;  HD$ !H526  HHD$(H3  HD$0H  HD$8H53  HHD$@H3  HD$HH  HD$PH53  HHD$XHW5  HD$`H
  HD$hH55  HHD$pH3  HD$xH;  H$   nHH53  L$   H$   H}3  H$   @fHC       H$   Hr3  H$   Hs3  H$   H"  L$   HǄ$       H$   HǄ$       HǄ$       )$   fo$foT$HH   fo\$ fod$0HSfol$@fot$Pfo|$`foL$pPfo$   X fo$   fo$   `0fo$   h@fo$   pPfo$   x`fo$   Hp                     HSH$   dH+%(   uH   H[]A\'H?ff.      ATH)IUHSHHdH%(   HD$1H$HwBH?Hu1H$H} H] HD$dH+%(   uBH[]A\ HtH1HE HH$HEHLH$H} mff.     ATH)IUHSHHdH%(   HD$1H$HwBH?Hu1H$H} H] HD$dH+%(   uBH[]A\ HtH1VHE HH$HEHL,H$H} ff.     fSH52  H=0  <Ht'HHHH=`  H   [ H`  H=`  Hxw    [ff.     AVAUATUSHH`dH%(   HD$X1<k  HCHl$ Ld$Hl$LpLhMy  LHD$HH   H   AT$ HHD$H\$0L HLtHT$8Ht$0H=_  D$
HH H@H| tHt$   xH|$0HD$@H9tHD$@HpH|$H9tHD$ HpHD$XdH+%(   uvH`   []A\A]A^ÐH   H?    
   n@ LHt$1IHD$HHD$HD$ HLHD$HT$HHD$XdH+%(   uH`H51  1[]A\A]A^H=1  ZHHHD  AWAVIAUATUSH   dH%(   H$   1D,  IFL|$`HD$   H).  L`HD$PH$M  fLL|$PHD$@    )D$0HD$(HH  Hq  A$T$`LHD$XH51  H=_   $   HT$XHt$PH=^  ~HH H@L   M_  A|$8 7  At$CHHH<$   1H5-  jHH5  HT$XHt$PH|$pL$   H|$H9Ll$pHFH}HD$P
   1L$   H|(H$   GHt$pHHT$xD$HL$   t$HT$0HeH$   L9tH$   Hp5@u0{Ld$PH5^,  H=+  HHHL1H|$pL9tH$   HpLd$8Hl$0L-^  I9t/    M HU HLDM$DE"1H8I9uH|$PL9tHD$`HpLd$8Hl$0I9t1f     H} HEH9t
HEHpVH8I9uHl$0HtHt$@HH)3HL$IFL$HHL$MXH$   dH+%(   x  H      []A\A]A^A_fD  L(I$H=  
   H@0H9LfD  Ht$PHT$XH$   L$   HL$   HHt$0HNH$   L9tH$   HpN@`Ld$PH5s*  H=)  HHHL1+HL$fH<$Ht$(1HD$PHHD$(HD$`HLcHD$(HT$PO/
HH$   dH+%(   uH   H5-  1[]A\A]A^A_%H
HH4HH     AUH)  ATfHnL%)  UH-)  SHX  L   HHdH%(   HD$8H)  fHnfl)$Hfo$Hl$ HD$0    HD$()D$GǅtY   Lu0H0L9u@HT$8dH+%(   uSHH[]A\A]ǅt&Hs1:H|$Ht$d   H{Hsd   s AWAVAUATUSHH  dH%(   H$  1d  HCH$   L`H$   H$   H$M  LHD$XHH  H  A$$   HH$   H4$H$   H$   L$0  H$   L$P  L$p  H|$HD$H$   HǄ$       Ƅ$    H$   HǄ$      Ƅ$   L$   HǄ$(      Ƅ$0   L$@  HǄ$H      Ƅ$P   L$`  HǄ$h      Ƅ$p   H$   H9tH$   HpH|$D$  HEY  H$   HǄ$       H|$ HD$0H$   HD$8H$   H$   Ƅ$    Hp	YH?H+$   HT  H|$ 	   H5&  H$   H$   H?H+$   H9  H|$ H?H+$   H  H|$ 	   H5r&  IH$   HD$(IOIWH$   IH9  H$   IGH$   H?IAG H)H$@  IG    H$H  H$   H9H$   HD$@@  HH
H$   HHHIH@H9{  H$   IWH$   H$   Ht$0I1AG H$   IG    L|$`LCH$   H9tH$   HpH$   HD$(H9tH$   HprH$   HD$8H9tH$   HpOHt$H<$H$   HT$`H5m(  1H=T  /H$   H9tH$   HpH|$`HD$pH9tHD$pHpH$`  L9tH$p  HpH$@  L9tH$P  HpH$   L9tH$0  HpH$   H9tH$  HplH$   HD$H9tH$   HpIH$  dH+%(      D$HĘ  []A\A]A^A_ HN  H\    H<$Ht$X1H$   HHD$XH$   HL]HD$XH$    HBHH4H|$(HHHL$@IWHL$@HPHHHHHL$HIGHL$HgyH5"  H=!  HHH$  dH+%(   uHĘ  H1[]A\A]A^A_H=%  H="  UH=|"  IH=p"  =H=d"  1HHHHHHHHHf     AWAVAUATIUSH  dH%(   H$  1   ID$HXHZH|$Ht$H\$HD$HD$     (HT$H
|  H=uQ  HH H9uj   H5@!  H|$HtHHU  H@H9uL      H$  dH+%(   uhH  []A\A]A^A_     HHH HH$  dH+%(   uH  H5$  1[]A\A]A^A_]HHHH    UHAWAVIAUATSHx  dH%(   HE15  HE1HH`H fHǅ    HhH`H)I_LHpH9  IVLHL,L$    H0HH M  LeHHH  H_  AU 0HH( IFNl H@HHPHxH@M  LHHH	  H  AU PHxHHfL Hǅ     )IOHH9s IFJD 8 uIGHpHHLmHHEHD  LXH9a  H0HHM  HE1HHLmHHHHHvIFHL<HpHH`M*  LLILL+HL\AH`HH9tHpHp&H}L9t
HEHpEEEHsHH(EW  IFHL$HH`M  LHHH   H   A$pHHhH HH@HHQH}HEH9t
HEHpGH}L9t
HEHp1H`HH9tHpHpHH_H3fD  HH1sH`HHHpHL@HH`D    nLeHHE1LeHHHǅ   HHHEE1Hfo!  HHU HEHU j HPPHhH`IH}H L9t
HEHpHH;  HCHHHHH@HH HHHH9tII H{ HC0H9t
HC0HpvH;HCH9t
HCHp]H@I9uHHtH HH)6H@HxH9tHPHpH HH9tH0HpHHpH)HHI=H0HxH HH~fD  HH1+H@HHHPHLHH@HhH1H HHH0HLHH HHH  Fƅ H`11HALLAǄ       M9   HELLeH
H I9   HSLLeH3LHL,H}AL9t
HEHpCEuH5  H=  HHH1w[H5  H=  HHH1I LH;HCH9t
HCHpH I9uMtHLL)H-B  HpHHxA  HpH`HEdH+%(   uHeD[A\A]A^A_]H=   cnfD  H=  LH=  @kH5  H=  HHHEdH+%(   uHeH1[A\A]A^A_]{H=  IHoIHkHHH@HH$Hff.     @ AUATUHSH8dH%(   HD$(1  k  HD$     fH)D$nE11H   HEHXH@HtLLl$D  HHHHHt$Ht(L9uHLh  HCHHt$Ld$ HuِHD$    L9   H    HHt$H\$ǅ   HE1Hp+HtLHH)VHD$(dH+%(   u_H8[]A\A]f     L$    L fHnIHflLd$ )D$fHT$H|$A
  Ld$ YH;H7d   
HHD$(dH+%(   uHEH5  HPH81[]A\A]5HHD$(dH+%(   uH8H5"  1[]A\A]H/ff.     fAWIAVAUATUSH  dH%(   H$x  1L$   LH$  HH$H5F  H|$PH
U  H  H|$qH|$X U  H|$0   H|$ qHD$8Hl$0E1HD$H9uqHT$PHH5  1/{f.     H_  HHt$Ht$   HU(HM H9tUHY  HŘ   H9l$tyIMtA$   f9   sHEH\$XH} Ht$PH9tHU(HM H9uHj  HHT$(HL$   HŘ   H9l$  M M
H<$E1L      Ä,  H|$ :    D  H<$E1N           L  IGA   L$   HhHD$pHD$H   F  fD  Ht$pHT$xH$   H$   HH$   HE      HLA   H$   H9tH$   Hp@   H4$L[H|$p   L9tH$   HpxIGJ, IH  HLt$pHD$0HH   H   H  LHD$xH|$H5   E1N      1LuFH|$pL9tH$   Hp1H|$PHD$`H9tHD$`HpH<$*L"H$x  dH+%(     HĈ  []A\A]A^A_    U $   /H|$Ht$01HD$pHHD$0H$   HHHD$0HT$pL HŘ   H9l$   MI HL$HT$(H$   H$   HHqH$   H$   H$   Ht$PH;T$X   H9ZH$   HpD HD$HŘ   H9mM H|$   f     E1N      1L_H4$LNfD  HtH|$IH|$RH9H$   HpD     HHHHHHf     f.      Hf.     f   ffD  H8  SHH`HGH68  HH[eD  H8  SHH`HGH8  HH6H߾  [     SHH   H   H9tH   HpH{`HCpH9t
HCpHpH{@HCPH9t
HCPHpH{ HC0H9t
HC0Hp{H;HCH9tHs[Ha[f.     @ AVAUIATUSLgH/I9  D  L   H]xI9t&H;HCH9t
HCHpH I9uH]xHtH   HH)LuhH]`I9t,fD  H;HCH9t
HCHpH I9uH]`HtHupHH)H}@HEPH9t
HEPHp|H} HE0H9t
HE0HpbH} HEH9t
HEHpHHŘ   I9Im HtIu[HH)]A\A]A^[]A\A]A^f.     D  AWAVAUATUSHHH8LoH/LH)HH9  L9HѺ   IHEIHHD$I)H  H  E1MH1HQIGLIHH9  L}LCL!fD  HIHQI HAH M9tEHyIGH9IWL9uHHtLLD$HL$IGHL$LD$fD  II)MI L9   L{MML D  HIHAI LAH M9tUIGHyMGH9L9uLHtLLL$(LT$ LD$HL$HL$LD$LT$ LL$(fD  I)MHtIt$HLT$H)@LT$HD$M4$MT$HLID$H8[]A\A]A^A_fHHt$HL$HL$IZf.     MHHt$H9HFHD$HHH=  HMu
L^Ht$LH}HHf.     AWIHAVAUATUSHLgL/LL)HH9.  M9   HIHE1HHL)H   H   11ILDM)O< HH-MXMu:HM L}H]H[]A\A]A^A_     HLL$HMaHuLH$L)H$LLLH$H$Mt HHH$*H$HHF H<$LLHD$HL$D  HH9HGH    H=P
  af.     D  HHtHwHH)f     f.     D  AWIHAVAUATUSHLgL/LL)HH9.  M9   HIHE1HHL)H   H   11ILDM)O< HH-MXMu:HM L}H]H[]A\A]A^A_     HLL$!HMaHuLH$L)H$LLLH$NH$Mt HHH$zH$HHF H<$LLHD$HL$D  HH9HGH    H=   HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         download-file apt srv-lookup cat-file auto-detect-proxy detect proxy using apt.conf wait for system to be online drop-privs analyze-pattern analyse a pattern analyse-pattern quote-string GetSrvRec failed for %s %s	%d	%d	%d
 systemctl -q systemctl is-active Need one URL as argument basic_string::append Acquire:: ::Proxy:: input: - : error:  ^ Download Failed Could not find compressor: %s systemd-networkd.service --timeout=30 NetworkManager.service nm-online --timeout connman.service connmand-wait-online download the given uri to the target-path       lookup a SRV record (e.g. _http._tcp.ftp.debian.org)    concatenate files, with automatic decompression drop privileges before running given command    Usage: apt-helper [options] command
       apt-helper [options] cat-file file ...
       apt-helper [options] download-file uri target-path

apt-helper bundles a variety of commands for shell scripts to use
e.g. the same proxy configuration or acquire system as APT would.
       Expect two arguments, a string to quote and a string of additional characters to quote  basic_string: construction from null is not valid       Must specify at least one SRV record    # Target	Priority	Weight	Port # for     Using proxy '%s' for URL '%s'
  Expect one argument, a pattern  Must specify at least one pair url/filename     No command given to run without privileges      Dropping Privileges failed, not executing '%s'  Apt-Helper::Cat-File::Compress  /lib/systemd/systemd-networkd-wait-online vector::_M_realloc_insert             24aptAcquireWithTextStatus      N3APT8Internal17PatternTreeParser5ErrorE        dest-dir-ignored;<  &     `  p|    0      J    X    `H  0x  `X  P@  @       @     T      l                0  @       0   @4  p             zR x       "                  zR x  $      0   FJw ?;*3$"       D                 \             p                
             +    H^          zPLR x%(    8   $       BOH M
 DABA      `          0   0      BGD G0L
 AABD 0   d      BGD G0L
 AABD      8    Hk        xd    A{
Dc \   $      BBB A(A0G
0F(A BBBB
0J(A BBBE              h     4  o  BBE B(A0A8G
8F0A(B BBBGC
8J0A(B BBBE       ls   H  8     t
   BIM H(Rp
(A ABBA    $      A
JAh     (    BBB B(A0A8J
8A0A(B BBBD
8F0A(B BBBE             L     A   BBE A(A0
(G BBBEA(A BBB   d   t  Y  K  BBB B(D0A8G
8A0A(B BBBIv
8J0A(B BBBE          L          BBB B(A0A8Qp
8A0A(B BBBC@   P  	    AC
DO. N. i
Ao
E         .  H   h  o   BOB B(A0A8DP
8A0A(B BBBI                  !       4   ,       AC
DIEO. P. @
A     d  R   y    H   8  o   BOB B(A0A8DP
8A0A(B BBBI d         BBA D(D`!
(C ABBJ
(C ABBE\
(J ABBE      <       `      '    AZ   P   x  4    BEB B(A0A8G
8C0A(B BBBH         !H   ~             t    A'  	 	 	 0	 	 	 0	 	 	 :  n  L'  
 
 l
 
 
 
 
 
 
  
 
 
 J4     !'  cf:    }   D   1'K _          }   !T             &'        J 	 
 
 
 
  r  V    E     .  e u     M h    F2  F j        	 
 7                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           ;      :      `;                                                                                                                               v                       v                                             b      Pb                                                                 +              0      
       @j             H                           X                    o                 h
                   
       
                                          p                                        H#             p                   	                            o          o    @      o           o    v      o                                                                                                           0                      60      F0      V0      f0      v0      0      0      0      0      0      0      0      0      1      1      &1      61      F1      V1      f1      v1      1      1      1      1      1      1      1      1      2      2      &2      62      F2      V2      f2      v2      2      2      2      2      2      2      2      2      3      3      &3      63      F3      V3      f3      v3      3      3      3      3      3      3      3      3      4      4      &4      64      F4      V4      f4      v4      4      4      4      4                                                                                    q      u      p      q                      q      q      p      q      q              q      q      q                              К              /usr/lib/debug/.dwz/x86_64-linux-gnu/apt.debug g;Q! 08d2c03a2874d02745147a05e4c787f1056114.debug     .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .gcc_except_table .init_array .fini_array .data.rel.ro .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                     8      8                                     &             X      X      $                              9             |      |                                     G   o                   h                             Q                         `	                          Y             h
      h
      
                             a   o       v      v                                  n   o       @      @      0                           }             p      p                                       B       H#      H#                                              0       0                                                  0       0                                               4      4                                                4      4      o5                                          @j      @j      	                                            p       p      `                                           `v      `v      <                                          w      w                                                p      p      o                                          H      H                                                X      X                                                `      `                                                0      0      @                                        p      p                                                                                                                                 @                                          C                              )                           4                                                    8      8                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             #!/bin/sh
#set -e
#
# This file understands the following apt configuration variables:
# Values here are the default.
# Create /etc/apt/apt.conf.d/10periodic file to set your preference.
#
# All of the n-days interval options also accept the suffixes
# s for seconds, m for minutes, h for hours, d for days or
# the "always" value to do the action for every job run,
# which can be used with systemd OnCalendar overrides to
# define custom schedules for the apt update/upgrade jobs.
#
#  Dir "/";
#  - RootDir for all configuration files
#
#  Dir::Cache "var/cache/apt/";
#  - Set apt package cache directory
#
#  Dir::Cache::Archives "archives/";
#  - Set package archive directory
#
#  APT::Periodic::Enable "1";
#  - Enable the update/upgrade script (0=disable)
#
#  APT::Periodic::BackupArchiveInterval "0";
#  - Backup after n-days if archive contents changed.(0=disable)
#
#  APT::Periodic::BackupLevel "3";
#  - Backup level.(0=disable), 1 is invalid.
#
#  Dir::Cache::Backup "backup/";
#  - Set periodic package backup directory
#
#  APT::Archives::MaxAge "0"; (old, deprecated)
#  APT::Periodic::MaxAge "0"; (new)
#  - Set maximum allowed age of a cache package file. If a cache 
#    package file is older it is deleted (0=disable)
#
#  APT::Archives::MinAge "2"; (old, deprecated)
#  APT::Periodic::MinAge "2"; (new)
#  - Set minimum age of a package file. If a file is younger it
#    will not be deleted (0=disable). Useful to prevent races
#    and to keep backups of the packages for emergency.
#
#  APT::Archives::MaxSize "0"; (old, deprecated)
#  APT::Periodic::MaxSize "0"; (new)
#  - Set maximum size of the cache in MB (0=disable). If the cache
#    is bigger, cached package files are deleted until the size
#    requirement is met (the oldest packages will be deleted 
#    first).
#
#  APT::Periodic::Update-Package-Lists "0";
#  - Do "apt-get update" automatically every n-days (0=disable)
#    
#  APT::Periodic::Download-Upgradeable-Packages "0";
#  - Do "apt-get upgrade --download-only" every n-days (0=disable)
#
#  APT::Periodic::Download-Upgradeable-Packages-Debdelta "1";
#  - Use debdelta-upgrade to download updates if available (0=disable)
#
#  APT::Periodic::Unattended-Upgrade "0";
#  - Run the "unattended-upgrade" security upgrade script 
#    every n-days (0=disabled)
#    Requires the package "unattended-upgrades" and will write
#    a log in /var/log/unattended-upgrades
# 
#  APT::Periodic::AutocleanInterval "0";
#  - Do "apt-get autoclean" every n-days (0=disable)
#
#  APT::Periodic::CleanInterval "0";
#  - Do "apt-get clean" every n-days (0=disable)
#
#  APT::Periodic::Verbose "0";
#  - Send report mail to root
#      0:  no report             (or null string)
#      1:  progress report       (actually any string)
#      2:  + command outputs     (remove -qq, remove 2>/dev/null, add -d)
#      3:  + trace on            
#

check_stamp()
{
    stamp="$1"
    interval="$2"

    if [ "$interval" = always ]; then
	debug_echo "check_stamp: ignoring time stamp file, interval set to always"
	# treat as enough time has passed
        return 0
    fi

    if [ "$interval" = 0 ]; then
	debug_echo "check_stamp: interval=0"
	# treat as no time has passed
        return 1
    fi

    if [ ! -f "$stamp" ]; then
	debug_echo "check_stamp: missing time stamp file: $stamp."
	# treat as enough time has passed
        return 0
    fi

    # compare midnight today to midnight the day the stamp was updated
    stamp_file="$stamp"
    stamp=$(date --date="$(date -r "$stamp_file" --iso-8601)" +%s 2>/dev/null)
    if [ "$?" != "0" ]; then
        # Due to some timezones returning 'invalid date' for midnight on
        # certain dates (e.g. America/Sao_Paulo), if date returns with error
        # remove the stamp file and return 0. See coreutils bug:
        # http://lists.gnu.org/archive/html/bug-coreutils/2007-09/msg00176.html
        rm -f "$stamp_file"
        return 0
    fi

    now=$(date --date="$(date --iso-8601)" +%s 2>/dev/null)
    if [ "$?" != "0" ]; then
        # As above, due to some timezones returning 'invalid date' for midnight
        # on certain dates (e.g. America/Sao_Paulo), if date returns with error
        # return 0.
        return 0
    fi

    delta=$((now-stamp))

    # Calculate the interval in seconds depending on the unit specified
    if [ "${interval%s}" != "$interval" ] ; then
        interval="${interval%s}"
    elif [ "${interval%m}" != "$interval" ] ; then
        interval="${interval%m}"
        interval=$((interval*60))
    elif [ "${interval%h}" != "$interval" ] ; then
        interval="${interval%h}"
        interval=$((interval*60*60))
    else
        interval="${interval%d}"
        interval=$((interval*60*60*24))
    fi

    debug_echo "check_stamp: interval=$interval, now=$now, stamp=$stamp, delta=$delta (sec)"

    # remove timestamps a day (or more) in the future and force re-check
    if [ "$stamp" -gt $((now+86400)) ]; then
         echo "WARNING: file $stamp_file has a timestamp in the future: $stamp"
         rm -f "$stamp_file"
         return 0
    fi

    if [ $delta -ge $interval ]; then
        return 0
    fi

    return 1
}

update_stamp()
{
    stamp="$1"
    touch "$stamp"
}

# we check here if autoclean was enough sizewise
check_size_constraints()
{
    MaxAge=0
    eval $(apt-config shell MaxAge APT::Archives::MaxAge)
    eval $(apt-config shell MaxAge APT::Periodic::MaxAge)

    MinAge=2
    eval $(apt-config shell MinAge APT::Archives::MinAge)
    eval $(apt-config shell MinAge APT::Periodic::MinAge)

    MaxSize=0
    eval $(apt-config shell MaxSize APT::Archives::MaxSize)
    eval $(apt-config shell MaxSize APT::Periodic::MaxSize)

    Cache="/var/cache/apt/archives/"
    eval $(apt-config shell Cache Dir::Cache::archives/d)

    # sanity check
    if [ -z "$Cache" ]; then
	echo "empty Dir::Cache::archives, exiting"
	exit
    fi

    # check age
    if [ ! $MaxAge -eq 0 ] && [ ! $MinAge -eq 0 ]; then
	debug_echo "aged: ctime <$MaxAge and mtime <$MaxAge and ctime>$MinAge and mtime>$MinAge"
	find $Cache -name "*.deb"  \( -mtime +$MaxAge -and -ctime +$MaxAge \) -and -not \( -mtime -$MinAge -or -ctime -$MinAge \) -print0 | xargs -r -0 rm -f
    elif [ ! $MaxAge -eq 0 ]; then
	debug_echo "aged: ctime <$MaxAge and mtime <$MaxAge only"
	find $Cache -name "*.deb"  -ctime +$MaxAge -and -mtime +$MaxAge -print0 | xargs -r -0 rm -f
    else
	debug_echo "skip aging since MaxAge is 0"
    fi
    
    # check size
    if [ ! $MaxSize -eq 0 ]; then
	# maxSize is in MB
	MaxSize=$((MaxSize*1024))

	#get current time
	now=$(date --date="$(date --iso-8601)" +%s)
	MinAge=$((MinAge*24*60*60))

	# reverse-sort by mtime
	for file in $(ls -rt $Cache/*.deb 2>/dev/null); do 
	    du=$(du -s $Cache)
	    size=${du%%/*}
	    # check if the cache is small enough
	    if [ $size -lt $MaxSize ]; then
		debug_echo "end remove by archive size:  size=$size < $MaxSize"
		break
	    fi

	    # check for MinAge of the file
	    if [ $MinAge -ne 0 ]; then 
		# check both ctime and mtime 
		mtime=$(stat -c %Y "$file")
		ctime=$(stat -c %Z "$file")
		if [ "$mtime" -gt "$ctime" ]; then
		    delta=$((now-mtime))
		else
		    delta=$((now-ctime))
		fi
		if [ $delta -le $MinAge ]; then
		    debug_echo "skip remove by archive size:  $file, delta=$delta < $MinAge"
		    break
		else
		    # delete oldest file
		    debug_echo "remove by archive size: $file, delta=$delta >= $MinAge (sec), size=$size >= $MaxSize"
		    rm -f "$file"
		fi
	    fi
	done
    fi
}

# deal with the Apt::Periodic::BackupArchiveInterval
do_cache_backup()
{
    BackupArchiveInterval="$1"
    if [ "$BackupArchiveInterval" = always ]; then
        :
    elif [ "$BackupArchiveInterval" = 0 ]; then
        return
    fi

    # Set default values and normalize
    CacheDir="/var/cache/apt"
    eval $(apt-config shell CacheDir Dir::Cache/d)
    CacheDir=${CacheDir%/}
    if [ -z "$CacheDir" ]; then
	debug_echo "practically empty Dir::Cache, exiting"
	return 0
    fi

    Cache="${CacheDir}/archives/"
    eval $(apt-config shell Cache Dir::Cache::Archives/d)
    if [ -z "$Cache" ]; then
	debug_echo "practically empty Dir::Cache::archives, exiting"
	return 0
    fi

    BackupLevel=3
    eval $(apt-config shell BackupLevel APT::Periodic::BackupLevel)
    if [ $BackupLevel -le 1 ]; then 
	BackupLevel=2 ; 
    fi
    
    Back="${CacheDir}/backup/"
    eval $(apt-config shell Back Dir::Cache::Backup/d)
    if [ -z "$Back" ]; then
	echo "practically empty Dir::Cache::Backup, exiting" 1>&2
	return
    fi

    CacheArchive="$(basename "${Cache}")"
    test -n "${CacheArchive}" || CacheArchive="archives"
    BackX="${Back}${CacheArchive}/"
    for x in $(seq 0 1 $((BackupLevel-1))); do
	eval "Back${x}=${Back}${x}/"
    done
    
    # backup after n-days if archive contents changed.
    # (This uses hardlink to save disk space)
    BACKUP_ARCHIVE_STAMP=/var/lib/apt/periodic/backup-archive-stamp
    if check_stamp $BACKUP_ARCHIVE_STAMP "$BackupArchiveInterval"; then
	if [ $({ (cd $Cache 2>/dev/null; find . -name "*.deb"); (cd $Back0 2>/dev/null;find . -name "*.deb") ;}| sort|uniq -u|wc -l) -ne 0 ]; then
	    mkdir -p $Back
	    rm -rf $Back$((BackupLevel-1))
	    for y in $(seq $((BackupLevel-1)) -1 1); do
		eval BackY=${Back}$y
		eval BackZ=${Back}$((y-1))
		if [ -e $BackZ ]; then 
		    mv -f $BackZ $BackY ; 
		fi
	    done
	    cp -la $Cache $Back ; mv -f $BackX $Back0
	    update_stamp $BACKUP_ARCHIVE_STAMP
	    debug_echo "backup with hardlinks. (success)"
	else
	    debug_echo "skip backup since same content."
	fi
    else
	debug_echo "skip backup since too new."
    fi
}

debug_echo()
{
    # Display message if $VERBOSE >= 1
    if [ "$VERBOSE" -ge 1 ]; then
        echo "$1" 1>&2
    fi
}

# ------------------------ main ----------------------------
if [ "$1" = "lock_is_held" ]; then
    shift
else
    # Maintain a lock on fd 3, so we can't run the script twice at the same
    # time.
    eval $(apt-config shell StateDir Dir::State/d)
    exec 3>${StateDir}/daily_lock
    if ! flock -w 3600 3; then
        echo "E: Could not acquire lock" >&2
        exit 1
    fi

    # We hold the lock.  Rerun this script as a child process, which
    # can run without propagating an extra fd to all of its children.
    "$0" lock_is_held "$@" 3>&-
    exit $?
fi

if test -r /var/lib/apt/extended_states; then
    # Backup the 7 last versions of APT's extended_states file
    # shameless copy from dpkg cron
    if cd /var/backups ; then
	if ! cmp -s apt.extended_states.0 /var/lib/apt/extended_states; then
	    cp -p /var/lib/apt/extended_states apt.extended_states
	    savelog -c 7 apt.extended_states >/dev/null
	fi
    fi
fi

# check apt-config existence
if ! command -v apt-config >/dev/null; then
	exit 0
fi

# check if the user really wants to do something
AutoAptEnable=1  # default is yes
eval $(apt-config shell AutoAptEnable APT::Periodic::Enable)

if [ $AutoAptEnable -eq 0 ]; then
    exit 0
fi

# Set VERBOSE mode from  apt-config (or inherit from environment)
VERBOSE=0
eval $(apt-config shell VERBOSE APT::Periodic::Verbose)
debug_echo "verbose level $VERBOSE"
if [ "$VERBOSE" -le 1 ]; then
    # quiet for 0/1
    XSTDOUT=">/dev/null"
    XSTDERR="2>/dev/null"
    XAPTOPT="-qq"
    XUUPOPT=""
else
    XSTDOUT=""
    XSTDERR=""
    XAPTOPT=""
    XUUPOPT="-d"
fi
if [ "$VERBOSE" -ge 3 ]; then
    # trace output
    set -x
fi

# check if we can lock the cache and if the cache is clean
if command -v apt-get >/dev/null && ! eval apt-get check $XAPTOPT $XSTDERR ; then
    debug_echo "error encountered in cron job with \"apt-get check\"."
    exit 0
fi

# Global current time in seconds since 1970-01-01 00:00:00 UTC
now=$(date +%s)

# Support old Archive for compatibility.
# Document only Periodic for all controlling parameters of this script.

UpdateInterval=0
eval $(apt-config shell UpdateInterval APT::Periodic::Update-Package-Lists)

DownloadUpgradeableInterval=0
eval $(apt-config shell DownloadUpgradeableInterval APT::Periodic::Download-Upgradeable-Packages)

UnattendedUpgradeInterval=0
eval $(apt-config shell UnattendedUpgradeInterval APT::Periodic::Unattended-Upgrade)

AutocleanInterval=0
eval $(apt-config shell AutocleanInterval APT::Periodic::AutocleanInterval)

CleanInterval=0
eval $(apt-config shell CleanInterval APT::Periodic::CleanInterval)

BackupArchiveInterval=0
eval $(apt-config shell BackupArchiveInterval APT::Periodic::BackupArchiveInterval)

Debdelta=1
eval $(apt-config shell Debdelta APT::Periodic::Download-Upgradeable-Packages-Debdelta)

# check if we actually have to do anything that requires locking the cache
if [ $UpdateInterval = always ] ||
   [ $DownloadUpgradeableInterval = always ] ||
   [ $UnattendedUpgradeInterval = always ] ||
   [ $BackupArchiveInterval = always ] ||
   [ $AutocleanInterval = always ] ||
   [ $CleanInterval = always ] ; then
    :
elif [ $UpdateInterval = 0 ] &&
     [ $DownloadUpgradeableInterval = 0 ] &&
     [ $UnattendedUpgradeInterval = 0 ] &&
     [ $BackupArchiveInterval = 0 ] &&
     [ $AutocleanInterval = 0 ] &&
     [ $CleanInterval = 0 ] ; then

    # check cache size
    check_size_constraints

    exit 0
fi

if [ "$1" = "update" ] || [ -z "$1" ] ; then
    # deal with BackupArchiveInterval
    do_cache_backup $BackupArchiveInterval

    # include default system language so that "apt-get update" will
    # fetch the right translated package descriptions
    if [ -r /etc/default/locale ]; then
	. /etc/default/locale
	export LANG LANGUAGE LC_MESSAGES LC_ALL
    fi

    # update package lists
    UPDATED=0
    UPDATE_STAMP=/var/lib/apt/periodic/update-stamp
    if check_stamp $UPDATE_STAMP $UpdateInterval; then
	if eval apt-get $XAPTOPT -y update $XSTDERR; then
	    debug_echo "download updated metadata (success)."
	    update_stamp $UPDATE_STAMP
	    UPDATED=1
	else
	    debug_echo "download updated metadata (error)"
	fi
    else
	debug_echo "download updated metadata (not run)."
    fi
	    
    # download all upgradeable packages (if it is requested)
    DOWNLOAD_UPGRADEABLE_STAMP=/var/lib/apt/periodic/download-upgradeable-stamp
    if [ $UPDATED -eq 1 ] && check_stamp $DOWNLOAD_UPGRADEABLE_STAMP $DownloadUpgradeableInterval; then
	if [ $Debdelta -eq 1 ]; then
	    debdelta-upgrade >/dev/null 2>&1 || true
	fi
	if  eval apt-get $XAPTOPT -y -d dist-upgrade $XSTDERR; then
	    update_stamp $DOWNLOAD_UPGRADEABLE_STAMP
	    debug_echo "download upgradable (success)"
	else
	    debug_echo "download upgradable (error)"
	fi
    else
	debug_echo "download upgradable (not run)"
    fi

    if command -v unattended-upgrade >/dev/null && env LC_ALL=C.UTF-8 unattended-upgrade --help | grep -q download-only && check_stamp $DOWNLOAD_UPGRADEABLE_STAMP $UnattendedUpgradeInterval; then
	if unattended-upgrade --download-only $XUUPOPT; then
	    update_stamp $DOWNLOAD_UPGRADEABLE_STAMP
	    debug_echo "unattended-upgrade -d (success)"
	else
	    debug_echo "unattended-upgrade -d (error)"
	fi
    else
	debug_echo "unattended-upgrade -d (not run)"
    fi
fi

if [ "$1" = "install" ] || [ -z "$1" ] ; then
    # auto upgrade all upgradeable packages
    UPGRADE_STAMP=/var/lib/apt/periodic/upgrade-stamp
    if command -v unattended-upgrade >/dev/null && check_stamp $UPGRADE_STAMP $UnattendedUpgradeInterval; then
	if unattended-upgrade $XUUPOPT; then
	    update_stamp $UPGRADE_STAMP
	    debug_echo "unattended-upgrade (success)"
	else
	    debug_echo "unattended-upgrade (error)"
	fi
    else
	debug_echo "unattended-upgrade (not run)"
    fi

    # clean package archive
    CLEAN_STAMP=/var/lib/apt/periodic/clean-stamp
    if check_stamp $CLEAN_STAMP $CleanInterval; then
	if  eval apt-get $XAPTOPT -y clean $XSTDERR; then
	    debug_echo "clean (success)."
	    update_stamp $CLEAN_STAMP
	else
	    debug_echo "clean (error)"
	fi
    else
	debug_echo "clean (not run)"
    fi

    # autoclean package archive
    AUTOCLEAN_STAMP=/var/lib/apt/periodic/autoclean-stamp
    if check_stamp $AUTOCLEAN_STAMP $AutocleanInterval; then
	if  eval apt-get $XAPTOPT -y autoclean $XSTDERR; then
	    debug_echo "autoclean (success)."
	    update_stamp $AUTOCLEAN_STAMP
	else
	    debug_echo "autoclean (error)"
	fi
    else
	debug_echo "autoclean (not run)"
    fi

    # check cache size 
    check_size_constraints
fi

#
#     vim: set sts=4 ai :
#

                                                           ELF          >    6      @                 @ 8 
 @         @       @       @                                                                                                     X$      X$                    0       0       0      ~      ~                                        +       +                                               (                   (      (      (      @      @                   8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd                                             Qtd                                                  Rtd                                             /lib64/ld-linux-x86-64.so.2              GNU                     GNU Vhq漙Wd!$$6         GNU                      X              X       em                                                                  	                     w                     
                     D                                          
                     S
                                          y                                                               
                     9                     ^                     |                     $
                     +                                          	                     (                     F                      	                     f                     	                     g                     S                                          1
                     E
                                          	                     
                     	                     	                                                               `                     f                                                                                    	                     
                     	                     9
                     	                     Z                                                               d                     '                                          K                     D                     L
                     d	                     M                                                               	                     #                                          l                                                                                    	                     T	                                                                                                           }	                                                                                                           ,                                             	                                          +
                                          u                                          	  "                                     _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable _Z9strprintfRNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEPKcz _ZN12pkgAcqMethod11SendMessageERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEOSt13unordered_mapIS5_S5_St4hashIS5_ESt8equal_toIS5_ESaISt4pairIS6_S5_EEE _ZN12pkgAcqMethodC2EPKcm _ZNK13Configuration10FindVectorEPKcRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEb _ZN12pkgAcqMethod4FailENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEb _ZN12pkgAcqMethod14DropPrivsOrDieEv _ZTI12pkgAcqMethod _ZN12pkgAcqMethodD2Ev _ZN13Configuration11MoveSubTreeEPKcS1_ _Z8CopyFileR6FileFdS0_ _ZN6HashesD1Ev _Z13DeQuoteStringRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _config _ZN6FileFd5CloseEv _ZN6FileFdD1Ev _ZN12pkgAcqMethod3RunEb _ZN12pkgAcqMethod11FetchResult10TakeHashesER6Hashes _ZN11GlobalError6FatalEEPKcS1_z _ZN6FileFdC1ENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEjm _ZNK13Configuration5FindBEPKcRKb _ZN12pkgAcqMethod7URIDoneERNS_11FetchResultEPS0_ _ZN12pkgAcqMethod8URIStartERNS_11FetchResultE _ZN12pkgAcqMethod11FetchResultD1Ev _ZN6FileFdC1Ev _ZN6Hashes5AddFDER6FileFdy _ZN6HashesC1ERK14HashStringList _ZN12pkgAcqMethod11FetchResultC1Ev _ZN6FileFd4OpenENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEjNS_12CompressModeEm _ZN12pkgAcqMethod13ConfigurationENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _Z12_GetErrorObjv _ZN11GlobalError5ErrnoEPKcS1_z seccomp_syscall_resolve_name seccomp_load seccomp_rule_add seccomp_init _ZTVN10__cxxabiv121__vmi_class_type_infoE _ZNKSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE7compareEPKc _ZNSt6localeD1Ev _ZSt20__throw_length_errorPKc _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_assignERKS4_ _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_appendEPKcm _ZdlPvm _ZNSt8ios_base4InitD1Ev _ZNKSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE4findEcm _ZTVN10__cxxabiv117__class_type_infoE _ZSt17__throw_bad_allocv _ZTVN10__cxxabiv120__si_class_type_infoE __cxa_begin_catch __gxx_personality_v0 _ZSt28__throw_bad_array_new_lengthv _ZNKSt8__detail20_Prime_rehash_policy14_M_need_rehashEmmm _ZNSt6localeC1EPKc _Znwm _ZNSt8ios_base4InitC1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_createERmm __cxa_rethrow _ZSt24__throw_out_of_range_fmtPKcz _ZSt11_Hash_bytesPKvmm _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE10_M_disposeEv __cxa_end_catch _ZNSt6locale6globalERKS_ _Unwind_Resume lstat __stack_chk_fail setenv sigaction fork dgettext __cxa_atexit _exit utimes __libc_start_main execv __cxa_finalize setlocale strerror getenv memcmp memset close waitpid sigemptyset memcpy strcmp write libapt-pkg.so.6.0 libseccomp.so.2 libstdc++.so.6 libgcc_s.so.1 libc.so.6 GCC_3.0 APTPKG_6.0 GLIBC_2.4 GLIBC_2.33 GLIBC_2.14 GLIBC_2.34 GLIBC_2.2.5 GLIBCXX_3.4.20 GLIBCXX_3.4.18 CXXABI_1.3.9 GLIBCXX_3.4.29 CXXABI_1.3 GLIBCXX_3.4 GLIBCXX_3.4.21 CXXABI_1.3.5                                                    	  
             
                                                      
         P&y   
        Y
         N   
        
     `   ii
  
 
        
       
 
        
     ui	   
        {
         p   
     h   
     yѯ   
     y  	      ӯk   &     t)   1     q   =     uѯ   L                    7                   6                   `7                          0                   P                   h                   p             (                   (                                      @                    @                   0@                   A                   PB                   `                                      `8                    @                   0@                   A                     C                                            (         I          @         =           `         3                   B                    B                    H                     H                    %                    %                    X                                        J                    O                    P                    W                    G                    Y                                                                                                                                                                                    	                    
                                                            
                                                                                                                                                                             (                    0                    8                    @                    H                    P                    X                    `                    h                     p         !           x         "                    #                    $                    &                    '                    (                    )                    *                    +                    ,                    -                    .                    /                    0                    1                    2                    4                     5                    6                    7                    8                     9           (         :           0         ;           8         <           @         >           H         ?           P         @           X         A           `         C           h         D           p         E           x         F                    K                    L                    M                    N                    Q                    R                    S                    T                    U                    V                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   HHݿ  HtH         5J  %L  @ %J  h    %B  h   %:  h   %2  h   %*  h   %"  h   %  h   %  h   p%
  h   `%  h	   P%  h
   @%  h   0%  h    %  h
   %ڼ  h    %Ҽ  h   %ʼ  h   %¼  h   %  h   %  h   %  h   %  h   %  h   %  h   p%  h   `%  h   P%z  h   @%r  h   0%j  h    %b  h   %Z  h    %R  h   %J  h    %B  h!   %:  h"   %2  h#   %*  h$   %"  h%   %  h&   %  h'   p%
  h(   `%  h)   P%  h*   @%  h+   0%  h,    %  h-   %ڻ  h.    %һ  h/   %ʻ  h0   %»  h1   %  h2   %  h3   %  h4   %  h5   %  h6   %  h7   p%  h8   `%  h9   P%z  h:   @%r  h;   0%j  h<    %b  h=   %Z  h>    %R  h?   %J  h@   %B  hA   %:  hB   %2  hC   %*  hD   %"  hE   %  hF   %  hG   p%
  hH   `%  hI   P%  f        HLd$ #  H;LH+    H|$ LL3H|$H|$L7H|$}HLmHA  LULKH|$ ?LwLf.      AT   Hz  USH   dH%(   H$   1IH\$ Hl$LHH,$D$copyHD$   D$   H<$H9tHD$HpmL%  1HHǄ$      Ld$ H߉Ld$ 
  H$   dH+%(   uH   []A\6H^HkfD  SH  H@H=Q  H[HV  Yf     1I^HHPTE11H=  f.     @ H=!  H  H9tHָ  Ht	        H=  H5  H)HH?HHHtH  HtfD      =   u+UH=Z   HtH=  Id  ]     w    ATH)IUHSHHdH%(   HD$1H$HwBH?Hu1H$H} H] HD$dH+%(   uBH[]A\ HtH1HE HH$HEHLH$H} ]ff.     AW1AVAUATUHH~SH:   H  dH%(   H$x  1L{HI9  HKL$  I)L$  L$  L|$0HI  I   Lt$0$  LL$  LH5ew  B8 H=  D$0    HD$@LHHD$#H$  L9tH$  Hp5H|$@H$     6H5w  H=w  HH5v  HH1,    M  LLt$02f.     H$  H|$@HD$PH$  H|$HHD$@<    L$@  LH$  H$  H$  HC0HHD$H$  Ƅ$   LHH$x  HE P H|$@HT$HHs0H;S8  H|$H5v    HshLLH$  H$  H$P  H$`  HHD$ IHH$P  N      LLA  H$P  AH9tH$`  HpnE   LL%HE 1LHP(A   L(H|$@HD$PH9tHD$PHpH$x  dH+%(     HĈ  D[]A\A]A^A_    Lt$0L1HL$LHL$H$  HHD$0H$  LH	L|$0H$      1LLLL` Ht$@HT$HLL$  HkH$        LHHD$H$  L9tH$  HpHs0HS8LL$  HH$        LHHD$^H$  L9tH$  HpHt$H|$H$   hAĄuQH$   E1D  H|$H|$'    H^Q3D  H|$6H|$,H$  HL$@H5$s  HHL$(HD$    HshL"LH$  H$  H$P  H$`  HH$P  HHD$ Ht$ A  N   L   H$P  H9tD$ H$`  HpsD$ t1LLtLL>LLHE 1LHP(f.     H|$ H$P  $h  %   =   H|$(L   H$(  H|$ Ht$`HD$x    HD$h    HD$`H$8  HD$pH$x  H5Kx  H=q  HD$ RH|$ H5=v  H1HLH5q  1H=w  |WLLt$0vEH5q  H=q  HD$ H|$ H5q  H17hHmHoHHH{HWHWHHQHHHHf.        f.     HH`    f.     D  SH VdH%(   HD$1H\$HL$fD  HcHigfffH")4)0HHH9uѺ.   H5eo     
   H޿         H5go        H5co        H5So     D  Hq  ATUHSHH   H   H9tH   HpLL   H   I9t2f     H;HCH9t
HCHpH I9uH   HtH   HH)[H]A\@ HѨ  ATUHSHH   H   H9tH   HpL   H   I9t2f     H;HCH9t
HCHpwH I9uH   HtH   HH)P[H]A\t@ H1  ATUHSHH   H   H9tH   HpL   H   I9t2f     H;HCH9t
HCHpH I9uH   HtH   HH)H[H   ]A\    H  ATUHSHH   H   H9tH   Hp\L   H   I9t2f     H;HCH9t
HCHp'H I9uH   HtH   HH) H([H   ]A\    ATIUSHoHH9t+D  H;HCH9t
HCHpH H9uI$HtIt$HH)[]A\f     []A\f.     AVAUATUHHHSHH@dH%(   HD$81Lt$Ld$ Hu HULLd$HAHǃ       f       HLh Ht$H   H@HT$L   HHH|$L   L9tHD$ Hp@ H   H  H   HU LeHHEL9   H   HUH   Le L-+k  HE    LH   Hǃ       E Hl$HhIHLL"HHD$8dH+%(   u0H@[]A\A]A^D  HHzLCHEiHHHWIGH2=H   H   H)HtLHHHrLL   9HHH   }H   Qf.     D  ATIUSHoHtMHHm H{(HC8H9t
HC8HpH{HCH9t
HCHpP   HHuID$I<$1H    [ID$    ID$    []A\@ SH_HtFH{(HC8H9t
HC8HplH{HCH9t
HCHpRH߾P   [D@ [f.     @ AWAVAUATUSHHL$MtZI$IHIIHKH H3HtXHNH1IHHuI9uCHL9uIWH;SuHtHsI?0uHL[]A\A]A^A_f.     E1f.     AUATUHSHHH   HIH<   L,    L6L1HILU0HuHE    E1LMHt,H1H6HAHHIH8Ht?HHH HHuH} HuL9t	HH]Le H[]A\A]D  H}H9HMLH9 tKI Lg0HG0    MZ@ H=tHI$HE(HH AUIATIUHLSHH HHWHwdH%(   HD$HGH$uLH3LeHJHHtYH HE HH(HCHD$dH+%(   ucHH[]A\A]f     HHH2L1HsI@ HCHE HkHE HtH@H1HsH,HCHf.     D  AWAVAUIATUHSH   Lw P   dH%(   H$   1Ld$@L|$pHD$H   L|$@HD$P    HD$X    D$`  ?HD$h    HD$p    Ld$0M  HH     H@UR  HD$(HCH{(HCHD$HC8fKCIC HC   IVHC(IvHD$ HH|$XH{H\$8HKs  Lt$PMud  @ M6MT  I9NuIvHt HHL$H|$H|$HL$uH{(H9|$ t
HC8Hp
H{H9|$t
HCHpP   HI}X   P   Ld$0HH@IuPIUXH@    LsH{(HD$(HHUsedMirrHCor  LsfAFHC8HC
   C" HC(HD$ H|$XH{H\$8LCt  HL$PHue  D  H	HT  L9AuHL$HqMt%LLD$H|$~H|$LD$HL$uH{(H9|$ t
HC8HpH{I9t
HCHpP   HP   Ld$0LpL@8HH     LpHM@MessAFsageH@   @ L@(HE H9  HC(HELMHC8H|$XLK0HM HE    E H\$8  HD$PHu      H H|  HxuHP
A9uRA9VuH{(I9t
HC8HpH{I9t
HCHpP   HH$   H$   LH104 WarnHLH$   H$   Ǆ$   ningHǄ$      Ƅ$    IH$   H9tH$   HpKL#H|$@Ht$HL9t	H+H$   dH+%(     Hĸ   []A\A]A^A_fiH1IHt$HH|$XHv)HT$(LLHt$Ht$Ht
H8 A   HLLA@ iǾ   LLD$11HHt$HH|$XHv-HSHLHt$(Ht$HtH8 LD$FA   HHLffD  LpL@8UR  HH     H|$XLpfPAFIH@   @ L@(H<UNKNOWNHC8H\$8A@>HC0	   CA wHD$PH   D  iǾ   LLD$A1IHt$HH|$XH`  LHSLLL$Ht$/Ht$LL$H4  H8 LD$%  H{(I9t
HC8Hp'H{I9 D  HP
fA9       H HDHxu iL1IHt$HH|$XHv3HT$(LLLL$Ht$tHt$LL$Ht
H8 A   HLLfLMLHHLLL$HL$HL$LL$I     RA8V*D  A   HLLHH|$0ULH|$@Ht$HL9t	HH]HH
HH|$(HP   HHH|$(HP   HcnHqHH
]S     AWAVAUATUSH   dH%(   H$   1H    u2   H$   dH+%(   "  H   []A\A]A^A_@ ILt$D$ H=D  LH5]  tdÅ+  1L9     <HH  L|$@HL$0E1LH5  H]  H$L|$L|$0HD$8    D$@ !H|$0L9tHD$@HpHl$L|$I9trf.     H} 1ɾ   H1DAą  H I9uLd$Hl$I9t)H} HEH9t
HEHpH I9uHl$HtHt$ HH)1ɺ     H1Ņ0W  1ɺ     H1ŅV  1ɺ     H1ŅQW  1ɺZ     H1mŅO3  1ɺ\     H1MŅU  1ɺ  H1-ŅU  1ɺ     H1
ŅU  1ɺ  H1Ņ-  1ɺ     H1Ņ>  1ɺ  H1ŅF  1ɺ     H1Ņ  1ɺ  H1mŅ  1ɺ     H1MŅ  1ɺU     H1-Ņ  1ɺ      H1
Ņ\  1ɺ!     H1Ņd  1ɺ$    H1Ņ  1ɺ<     H1Ņ  1ɺ     H1Ņ7  1ɺ
    H1mŅ?  1ɺ[     H1MŅ  1ɺ    H1-Ņ  1ɺ]     H1
Ņ  1ɺ  H1Ņ	  1ɺ    H1ŅM  1ɺH     H1ŅM  1ɺ  H1ŅM  1ɺK     H1mŅq2  1ɺI     H1MŅK  1ɺ     H1-ŅjK  1ɺ  H1
ŅL  1ɺ  H1ŅA,  1ɺ     H1ŅHJ  1ɺ  H1ŅI  1ɺJ     H1ŅiJ  1ɺ  H1mŅ.  1ɺM     H1MŅH  1ɺ  H1-Ņ0H  1ɺ     H1
ŅH  1ɺ  H1Ņi(  1ɺ    H1ŅG  1ɺl     H1ŅF  1ɺ  H1Ņ/G  1ɺk     H1mŅ/  1ɺ  H1MŅqE  1ɺh     H1-ŅD  1ɺ  H1
ŅE  1ɺs     H1Ņ(  1ɺ  H1ŅC  1ɺ4     H1ŅYC  1ɺy     H1ŅC  1ɺo     H1mŅ-+  1ɺ'     H1MŅ7B  1ɺn     H1-ŅA  1ɺ>    H1
ŅXB  1ɺx     H1Ņ$  1ɺ  H1Ņ@  1ɺv     H1Ņ@  1ɺ  H1Ņ@  1ɺa     H1mŅ.  1ɺ    H1MŅ>  1ɺb     H1-Ņ>  1ɺ     H1
Ņ?  1ɺ`     H1Ņ(  1ɺf     H1Ņ`=  1ɺ  H1Ņ<  1ɺ     H1Ņ=  1ɺ^     H1mŅ*  1ɺ  H1MŅ;  1ɺ  H1-ŅH;  1ɺ     H1
Ņ;  1ɺ     H1Ņ$  1ɺ  H1Ņ&:  1ɺ     H1Ņ9  1ɺ	     H1ŅG:  1ɺ  H1mŅ`+  1ɺ
     H1MŅ8  1ɺ     H1-Ņ8  1ɺ     H1
Ņ8  1ɺ     H1Ņ0%  1ɺ#     H1Ņ6  1ɺ    H1Ņq6  1ɺ  H1Ņ
7  1ɺ  H1mŅ'  1ɺ  H1MŅO5  1ɺ  H1-Ņ4  1ɺ  H1
Ņp5  1ɺ  H1ŅX!  1ɺ     H1Ņ3  1ɺ    H1Ņ73  1ɺ     H1Ņ3  1ɺ%    H1mŅ*  1ɺ     H1MŅ2  1ɺ    H1-Ņ1  1ɺ
  H1
Ņ62  1ɺ     H1Ņ#  1ɺ.    H1Ņx0  1ɺ    H1Ņ/  1ɺ	  H1Ņ0  11Ҿ  H1pŅA&  1ɺ     H1PŅ.  1ɺR     H10Ņc.  1ɺ    H1Ņ.  1ɺ<    H1Ņ   1ɺ     H1ŅA-  1ɺ
     H1Ņ,  1ɺ     H1Ņb-  1ɺ     H1pŅ&  1ɺ     H1PŅ+  1ɺ     H10Ņ)+  1ɺ     H1Ņ+  1ɺ     H1Ņ}   1ɺ     H1Ņ*  1ɺ     H1Ņ)  1ɺ    H1Ņ(*  1ɺ  H1pŅ"  1ɺ  H1PŅj(  1ɺ  H10Ņ'  1ɺ  H1Ņ(  1ɺ  H1Ņ  1ɺ     H1Ņ  1ɺ  H1Ņ  1ɺ     H1Ņ  1ɺ  H1pŅi  1ɺL    H1PŅf  1ɺ     H10Ņ  1ɺ  H1Ņ  1ɺc     H1Ņ}  1ɺ     H1Ņ$  1ɺL     H1Ņ  1ɺ  H1Ņ  1ɺ  H1pŅ  1ɺ_     H1PŅ  1ɺ?     H10Ņ  1ɺW     H1ŅA  1ɺ    H1Ņ  1ɺ     H1Ņ  1ɺ    H1Ņp  1ɺ   H1ŅM  1ɺ     H1pŅX  1ɺ     H1PŅ  1ɺ     H10Ņ
  I   _  t`1ɺ  H1Ņ
  1ɺN     H1Ņ9  1ɺ     H1Ņ3  H=O  wH   1ɺA     H1Ņ  1ɺ@     H1hŅ  1ɺE     H1HŅ  1ɺF     H1(Ņ2  1ɺD     H1ŅA  1ɺG     H1Ņ
  1ɺ  H1Ņ  L|$H$E1LH5Ј  HO  D$@ L|$0HD$8    H|$0L9tHD$@HpHl$L|$I9tjfH} 1ɾ  H1DAą  H I9uLd$Hl$I9t)H} HEH9t
HEHpH I9uHl$HtHt$ HH)HKÃH    H=  LD$H5]N  CH<$1   HH|$8}H4$1ҿ   HǄ$      HD$0fD$ԃ	hH\$01L|$@LHH$L|$0HD$'   uHT$HLfoO  HD$0H seccompHT$@ foN  @HHHT$8 
H|$0L9mHD$@HpaZ@ 1ɺ1     H1Ņ?  1ɺ*     H1ŅP?  1ɺ3     H1bŅ?  1ɺ7     H1BŅ  1ɺ  H1"Ņ.>  1ɺ-     H1Ņ=  1ɺ+    H1ŅO>  1ɺ  H1Ņ`  1ɺ/     H1Ņ<  1ɺ  H1Ņ<  1ɺ3    H1bŅ<  1ɺ.     H1BŅ  1ɺ,     H1"Ņ:  1ɺ6     H1Ņy:  1ɺ0     H1Ņ;  1ɺ)     H1Ņ  1ɺ  H1Ņ  I   u@ H\$   D$@ HD$8    H\$0L<$H5#K  H1LLLsH|$0H9mHD$@HpZDHHM HGE  HIH5J  1aHl$H\$H9t)H;HSH9t$HCHpf$H H9uH|$HNHt$ $H);$5MDH0HM HD  HIH5ZD  1Hl$H\$H9tH;HSH9t$HCHp$H H9ukHH$   dH+%(     H   HC  H5C  1[]A\A]A^A_JHyIH$   dH+%(     H   H1[H
D  HC  ]H5~C  A\A]A^A_:HIH$   dH+%(   W  H   H1[H
D  H{C  ]H5#C  A\A]A^A_HIH$   dH+%(     H   H1[H
C  H C  ]H5B  A\A]A^A_9HhIH$   dH+%(     H   H1[H
>C  HB  ]H5mB  A\A]A^A_)H
IH$   dH+%(   (  H   H1[H
5C  HjB  ]H5B  A\A]A^A_HIH$   dH+%(     H   H1[H
B  HB  ]H5A  A\A]A^A_(sHWIH$   dH+%(     H   H1[H
^B  HA  ]H5\A  A\A]A^A_HIH$   dH+%(   S  H   H1[H
A  HYA  ]H5A  A\A]A^A_rHIH$   dH+%(     H   H1[H
A  H@  ]H5@  A\A]A^A_bHFIH$   dH+%(     H   H1[H
?A  H@  ]H5K@  A\A]A^A_HIH$   dH+%(     H   H1[H
@  HH@  ]H5?  A\A]A^A_aH萿IH$   dH+%(     H   H1[H
V@  H?  ]H5?  A\A]A^A_QH5IH$   dH+%(   U  H   H1[H
V@  H?  ]H5:?  A\A]A^A_HھIH$   dH+%(   "  H   H1[H
?  H7?  ]H5>  A\A]A^A_P蛿HIH$   dH+%(      H   H1[H
?  H>  ]H5>  A\A]A^A_@H$IH$   dH+%(      H   H1[H
>  H>  ]H5)>  A\A]A^A_ۿֿѿ̿ǿ¿轿踿賿访詿褿蟿蚿蕿萾HtIH$   dH+%(     H   H1[H
B  H=  ]H5y=  A\A]A^A_5HIH$   dH+%(     H   H1[H
A  Hv=  ]H5=  A\A]A^A_鏿ڽH込IH$   dH+%(     H   H1[H
-A  H=  ]H5<  A\A]A^A_4HcIH$   dH+%(     H   H1[H
A  H<  ]H5h<  A\A]A^A_پ$HIH$   dH+%(   \	  H   H1[H
W@  He<  ]H5
<  A\A]A^A_~ɼH譻IH$   dH+%(   7  H   H1[H
F@  H
<  ]H5;  A\A]A^A_#nHRIH$   dH+%(     H   H1[H
?  H;  ]H5W;  A\A]A^A_ȽHIH$   dH+%(     H   H1[H
g@  HT;  ]H5:  A\A]A^A_m踻H蜺IH$   dH+%(   [  H   H1[H
<  H:  ]H5:  A\A]A^A_]HAIH$   dH+%(   j  H   H1[H
>  H:  ]H5F:  A\A]A^A_鷼HIH$   dH+%(     H   H1[H
=  HC:  ]H59  A\A]A^A_\觺H苹IH$   dH+%(   8  H   H1[H
	?  H9  ]H59  A\A]A^A_LH0IH$   dH+%(     H   H1[H
:  H9  ]H559  A\A]A^A_馻HոIH$   dH+%(     H   H1[H
S=  H29  ]H58  A\A]A^A_K薹HzIH$   dH+%(   m  H   H1[H
:  H8  ]H58  A\A]A^A_;HIH$   dH+%(     H   H1[H
s=  H|8  ]H5$8  A\A]A^A_镺HķIH$   dH+%(     H   H1[H
-9  H!8  ]H57  A\A]A^A_:腹耸HdIH$   dH+%(   u5H   H1[H
;  H7  ]H5m7  A\A]A^A_޹)$HIH$   dH+%(   u5H   H1[H
i;  Hd7  ]H57  A\A]A^A_}ȸø辷H袶IH$   dH+%(   u5H   H1[H
I8  H7  ]H56  A\A]A^A_gb]HAIH$   dH+%(   u5H   H1[H
7  H6  ]H5J6  A\A]A^A_黸HIH$   dH+%(   u5H   H1[H
9  HA6  ]H55  A\A]A^A_Z襷蠷蛶HIH$   dH+%(   u5H   H1[H
9  H5  ]H55  A\A]A^A_D?:HIH$   dH+%(   u5H   H1[H
6  H5  ]H5'5  A\A]A^A_阷޶ٵH轴IH$   dH+%(   u5H   H1[H
4  H5  ]H54  A\A]A^A_7肶}xH\IH$   dH+%(   u5H   H1[H
9  H4  ]H5e4  A\A]A^A_ֶ!HIH$   dH+%(   u5H   H1[H
v9  H\4  ]H54  A\A]A^A_u軵趴H蚳IH$   dH+%(   u5H   H1[H
9  H3  ]H53  A\A]A^A__ZUH9IH$   dH+%(   u5H   H1[H
8  H3  ]H5B3  A\A]A^A_鳵HزIH$   dH+%(   u5H   H1[H
d7  H93  ]H52  A\A]A^A_R蝴蘴蓳HwIH$   dH+%(   u5H   H1[H
6  H2  ]H52  A\A]A^A_<72-1         H52  H=2  fo9  Ht$0H-helper H$   H$   1H|$0HD$8)$   J   諲ۉH菱HH$   dH+%(     H   HH7  1[H5<7  ]A\A]A^A_WH;IH$   dH+%(   M  H   H1[H
s6  H1  ]H5@1  A\A]A^A_鱳HIH$   dH+%(     H   H1[H
4  H=1  ]H50  A\A]A^A_V衱H腰IH$   dH+%(     H   H1[H
2  H0  ]H50  A\A]A^A_FH*IH$   dH+%(   %  H   H1[H
_3  H0  ]H5/0  A\A]A^A_頲HϯIH$   dH+%(   U  H   H1[H
 5  H,0  ]H5/  A\A]A^A_E萰HtIH$   dH+%(      H   H1[H
"3  H/  ]H5y/  A\A]A^A_5HIH$   dH+%(     H   H1[H
0  Hv/  ]H5/  A\A]A^A_鏱گH辮IH$   dH+%(   (  H   H1[H
1  H/  ]H5.  A\A]A^A_4HcIH$   dH+%(     H   H1[H
.  H.  ]H5h.  A\A]A^A_ٰ$HIH$   dH+%(   $  H   H1[H
%2  He.  ]H5
.  A\A]A^A_~ɮH譭IH$   dH+%(     H   H1[H
/  H
.  ]H5-  A\A]A^A_#nHRIH$   dH+%(   V%  H   H1[H
U0  H-  ]H5W-  A\A]A^A_ȯHIH$   dH+%(     H   H1[H
1  HT-  ]H5,  A\A]A^A_m踭H蜬IH$   dH+%(   ,   H   H1[H
-  H,  ]H5,  A\A]A^A_]HAIH$   dH+%(     H   H1[H
-  H,  ]H5F,  A\A]A^A_鷮HIH$   dH+%(   K'  H   H1[H
}.  HC,  ]H5+  A\A]A^A_\觬H苫IH$   dH+%(     H   H1[H
1  H+  ]H5+  A\A]A^A_LH0IH$   dH+%(   /  H   H1[H
.  H+  ]H55+  A\A]A^A_馭HժIH$   dH+%(     H   H1[H
,  H2+  ]H5*  A\A]A^A_K薫HzIH$   dH+%(   a!  H   H1[H
-  H*  ]H5*  A\A]A^A_;HIH$   dH+%(   
  H   H1[H
-/  H|*  ]H5$*  A\A]A^A_镬HĩIH$   dH+%(   7  H   H1[H
W-  H!*  ]H5)  A\A]A^A_:腪HiIH$   dH+%(     H   H1[H
*  H)  ]H5n)  A\A]A^A_߫*HIH$   dH+%(   i$  H   H1[H
+  Hk)  ]H5)  A\A]A^A_鄫ϩH賨IH$   dH+%(     H   H1[H
)  H)  ]H5(  A\A]A^A_)tHXIH$   dH+%(     H   H1[H
;,  H(  ]H5](  A\A]A^A_ΪHIH$   dH+%(   N  H   H1[H
)  HZ(  ]H5(  A\A]A^A_s辨H袧IH$   dH+%(      H   H1[H
*  H'  ]H5'  A\A]A^A_cHGIH$   dH+%(   $
  H   H1[H

,  H'  ]H5L'  A\A]A^A_齩HIH$   dH+%(     H   H1[H
C*  HI'  ]H5&  A\A]A^A_b譧H葦IH$   dH+%(   V  H   H1[H
'  H&  ]H5&  A\A]A^A_RH6IH$   dH+%(   !  H   H1[H
*  H&  ]H5;&  A\A]A^A_鬨H֥IH$   dH+%(      H   H1[H
)  H3&  ]H5%  A\A]A^A_L藦H{IH$   dH+%(   u5H   H1[H
W)  H%  ]H5%  A\A]A^A_@;6HIH$   dH+%(   u5H   H1[H
#)  H{%  ]H5#%  A\A]A^A_锧ߦڦեH蹤IH$   dH+%(      H   H1[H
'  H%  ]H5$  A\A]A^A_/zH^IH$   dH+%(   u5H   H1[H
(  H$  ]H5g$  A\A]A^A_ئ#HIH$   dH+%(   u5H   H1[H
:(  H^$  ]H5$  A\A]A^A_w¥轥踤H蜣IH$   dH+%(      H   H1[H
'  H#  ]H5#  A\A]A^A_]HAIH$   dH+%(   u5H   H1[H
7'  H#  ]H5J#  A\A]A^A_黥HIH$   dH+%(   u5H   H1[H
&  HA#  ]H5"  A\A]A^A_Z襤蠤蛣HIH$   dH+%(      H   H1[H
G&  H"  ]H5"  A\A]A^A_@H$IH$   dH+%(   u5H   H1[H
%  H"  ]H5-"  A\A]A^A_鞤ߢHáIH$   dH+%(   u5H   H1[H
%  H$"  ]H5!  A\A]A^A_=舣胣~HbIH$   dH+%(      H   H1[H
 %  H!  ]H5g!  A\A]A^A_أ#HIH$   dH+%(   u5H   H1[H
$  Hh!  ]H5!  A\A]A^A_遣̢Ǣ¡H覠IH$   dH+%(   u5H   H1[H
O$  H!  ]H5   A\A]A^A_ kfaHEIH$   dH+%(      H   H1[H
#  H   ]H5J   A\A]A^A_黢HIH$   dH+%(   u5H   H1[H
^#  HK   ]H5  A\A]A^A_d诡誡襠H艟IH$   dH+%(   u5H   H1[H
#  H  ]H5  A\A]A^A_NIDH(IH$   dH+%(      H   H1[H
"  H  ]H5-  A\A]A^A_鞡H͞IH$   dH+%(   u5H   H1[H
/"  H.  ]H5  A\A]A^A_G蒠荠舟HlIH$   dH+%(   u5H   H1[H
!  H  ]H5u  A\A]A^A_1,'HIH$   dH+%(      H   H1[H
V!  Hh  ]H5  A\A]A^A_遠̞H谝IH$   dH+%(   u5H   H1[H
   H  ]H5  A\A]A^A_*upkHOIH$   dH+%(   u5H   H1[H
   H  ]H5X  A\A]A^A_ɟ
HIH$   dH+%(      H   H1[H
    HK  ]H5  A\A]A^A_d话H蓜IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_
XSNH2IH$   dH+%(   u5H   H1[H
t  H  ]H5;  A\A]A^A_鬞HћIH$   dH+%(      H   H1[H
  H.  ]H5  A\A]A^A_G蒜HvIH$   dH+%(   u5H   H1[H
F  H  ]H5  A\A]A^A_;61HIH$   dH+%(   u5H   H1[H
.  Hv  ]H5  A\A]A^A_鏝ڜ՜ЛH贚IH$   dH+%(      H   H1[H
  H  ]H5  A\A]A^A_*uHYIH$   dH+%(   u5H   H1[H
J  H  ]H5b  A\A]A^A_ӜHIH$   dH+%(   u5H   H1[H
  HY  ]H5  A\A]A^A_r轛踛賚H藙IH$   dH+%(      H   H1[H
q  H  ]H5  A\A]A^A_
XH<IH$   dH+%(   u5H   H1[H
  H  ]H5E  A\A]A^A_鶛HۘIH$   dH+%(   u5H   H1[H
  H<  ]H5  A\A]A^A_U蠚蛚薙HzIH$   dH+%(      H   H1[H
D  H  ]H5  A\A]A^A_;HIH$   dH+%(   u5H   H1[H
  H  ]H5(  A\A]A^A_陚ߙژH辗IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_8胙~yH]IH$   dH+%(      H   H1[H
  H  ]H5b  A\A]A^A_әHIH$   dH+%(   u5H   H1[H
  Hc  ]H5  A\A]A^A_|ǘ轗H衖IH$   dH+%(   u5H   H1[H
Y  H  ]H5  A\A]A^A_fa\H@IH$   dH+%(      H   H1[H
  H  ]H5E  A\A]A^A_鶘HIH$   dH+%(   u5H   H1[H
_  HF  ]H5  A\A]A^A__誗襗蠖H脕IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_ID?H#IH$   dH+%(      H   H1[H
  H  ]H5(  A\A]A^A_陗HȔIH$   dH+%(   u5H   H1[H
   H)  ]H5  A\A]A^A_B荖舖胕HgIH$   dH+%(   u5H   H1[H
  H  ]H5p  A\A]A^A_,'"HIH$   dH+%(      H   H1[H
>  Hc  ]H5  A\A]A^A_|ǔH諓IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_%pkfHJIH$   dH+%(   u5H   H1[H
  H  ]H5S  A\A]A^A_ĕ
HIH$   dH+%(      H   H1[H
  HF  ]H5  A\A]A^A__誓H莒IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_SNIH-IH$   dH+%(   u5H   H1[H
R  H  ]H56  A\A]A^A_駔H̑IH$   dH+%(      H   H1[H
  H)  ]H5  A\A]A^A_B荒HqIH$   dH+%(   u5H   H1[H
Z  H  ]H5z  A\A]A^A_61,HIH$   dH+%(   u5H   H1[H
  Hq  ]H5  A\A]A^A_銓ՒВˑH诐IH$   dH+%(      H   H1[H
z  H  ]H5  A\A]A^A_%pHTIH$   dH+%(   u5H   H1[H
  H  ]H5]  A\A]A^A_ΒHIH$   dH+%(   u5H   H1[H
  HT  ]H5  A\A]A^A_m踑賑讐H蒏IH$   dH+%(      H   H1[H
4  H  ]H5  A\A]A^A_SH7IH$   dH+%(   u5H   H1[H
  H  ]H5@  A\A]A^A_鱑H֎IH$   dH+%(   u5H   H1[H
  H7  ]H5  A\A]A^A_P蛐薐葏HuIH$   dH+%(      H   H1[H
  H  ]H5z  A\A]A^A_6HIH$   dH+%(   u5H   H1[H
  H{  ]H5#  A\A]A^A_锐ߏڏՎH蹍IH$   dH+%(   u5H   H1[H
I  H  ]H5
  A\A]A^A_3~ytHXIH$   dH+%(      H   H1[H
{  H
  ]H5]
  A\A]A^A_ΏHIH$   dH+%(   u5H   H1[H
c  H^
  ]H5
  A\A]A^A_w轎踍H蜌IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_a\WH;IH$   dH+%(      H   H1[H

  H  ]H5@  A\A]A^A_鱎HIH$   dH+%(   u5H   H1[H
%
  HA  ]H5  A\A]A^A_Z襍蠍蛌HIH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_D?:HIH$   dH+%(      H   H1[H
;  H{  ]H5#  A\A]A^A_锍ߋHÊIH$   dH+%(   u5H   H1[H
  H$  ]H5
  A\A]A^A_=舌背~HbIH$   dH+%(   u5H   H1[H
  H
  ]H5k
  A\A]A^A_܌'"HIH$   dH+%(      H   H1[H
  H^
  ]H5
  A\A]A^A_wH覉IH$   dH+%(   u5H   H1[H
  H
  ]H5	  A\A]A^A_ kfaHEIH$   dH+%(   u5H   H1[H
N  H	  ]H5N	  A\A]A^A_鿋
 HIH$   dH+%(      H   H1[H

  HA	  ]H5  A\A]A^A_Z襉H艈IH$   dH+%(   u5H   H1[H
^
  H  ]H5  A\A]A^A_NIDH(IH$   dH+%(   u5H   H1[H

  H  ]H51  A\A]A^A_颊HǇIH$   dH+%(      H   H1[H
y  H$  ]H5  A\A]A^A_=興HlIH$   dH+%(   u5H   H1[H
  H  ]H5u  A\A]A^A_1,'HIH$   dH+%(   u5H   H1[H
  Hl  ]H5  A\A]A^A_酉ЈˈƇH誆IH$   dH+%(      H   H1[H
  H  ]H5  A\A]A^A_ kHOIH$   dH+%(   u5H   H1[H
  H  ]H5X  A\A]A^A_Ɉ
HIH$   dH+%(   u5H   H1[H
y  HO  ]H5  A\A]A^A_h資讇詆H荅IH$   dH+%(      H   H1[H
  H  ]H5  A\A]A^A_NH2IH$   dH+%(   u5H   H1[H
  H  ]H5;  A\A]A^A_鬇HфIH$   dH+%(   u5H   H1[H
X  H2  ]H5  A\A]A^A_K薆葆茆臆HHLuHH<$脆H܇HHH<$iHL9H豇HHH<$>H薇H<$-H腇D  AVAUATUHSHPHVdH%(   HD$H1HLl$ Ld$0LLd$ HH轊LH袅H|$ L9tHD$0Hpxu$HD$HdH+%(   (  HP[]A\A]A^ÐHBinary::H   Ld$ HD$0H   H?HD$(   D$8 H9   LLl$LpHL,$HH@L9   H$HSHT$L3C H|$ HD$HC    L9tHD$0Hp謄H4$H=)B  1HRHZH<$L9HD$Hpm     HPHHtLL衃HC`SH=	  跂HHHSH諅LCH蛅   HH                                                                                                                                                                                                                                                                                                                                                                     
 **** Seccomp prevented execution of syscall   on architecture  amd64  ****
 1.0 basic_string::substr Acquire::Send-URI-Encoded Failed to stat apt /dev/null APT::Sandbox::Seccomp meow QEMU_VERSION Cannot init seccomp HttpMethod::Configuration APT::Sandbox::Seccomp::Trap Cannot trap %s: %s access Cannot allow %s: %s arch_prctl brk clock_getres clock_getres_time64 clock_gettime clock_gettime64 clock_nanosleep clock_nanosleep_time64 close creat dup dup2 dup3 exit exit_group faccessat fchmod fchmodat fchown fchown32 fchownat fcntl fcntl64 fdatasync flock fstat64 fstatat64 fstatfs fstatfs64 fsync ftime ftruncate ftruncate64 futex futex_time64 futimesat getegid getegid32 geteuid geteuid32 getgid getgid32 getgroups getgroups32 getpeername getpgid getpgrp getpid getppid getrandom getresgid getresgid32 getresuid getresuid32 get_robust_list getrusage gettid gettimeofday getuid getuid32 ioctl lchown lchown32 _llseek lstat64 madvise mmap mmap2 mprotect mremap msync munmap newfstatat _newselect oldfstat oldlstat oldolduname oldstat open openat pipe pipe2 ppoll ppoll_time64 prlimit64 pselect6 pselect6_time64 read readv rename renameat renameat2 restart_syscall rt_sigaction rt_sigpending rt_sigprocmask rt_sigqueueinfo rt_sigreturn rt_sigsuspend rt_sigtimedwait sched_yield set_robust_list statx sysinfo ugetrlimit umask unlink unlinkat utime utimensat utimensat_time64 utimes write writev bind connect getsockname getsockopt recv recvfrom recvmmsg recvmmsg_time64 recvmsg send sendmmsg sendmsg sendto setsockopt shutdown socket socketcall readdir getdents getdents64 FAKED_MODE semop semget msgsnd msgrcv msgget msgctl ipc APT::Sandbox::Seccomp::Allow aptMethod::Configuration APT::Sandbox::Seccomp::Print aptMethod::Configuration: could not load seccomp policy: %s     could not load seccomp policy: %s       %s: __pos (which is %zu) > this->size() (which is %zu)  Failed to set modification time basic_string::append    26aptConfigWrapperForMethods    9aptMethod      10CopyMethod    /usr/lib/apt/aptRunning in qemu-user, not using ;       x0  |X  |  }  }L  ~h  ~     `  p     0  @    (  PT          p     `   <  0|     `               zR x      }"                  zR x  $      v   FJw ?;*3$"       D   p{              \             p   	                              AD0   0      }    BGD G0L
 AABD (          IAD DB  (         IAD DB  (   @      IAD IB  (   l  x    IAD IB  4     e    BDA H
ABNAAB         zPLR x5    D   $   A  3  BBB A(J0GpR
0A(A BBBF4   l   \z   '  BMA G
 CABA      Ty%       (     Ċ    BDA AB       (R    AF
IAH     h    BBB B(A0A8D@j
8D0A(B BBBK <   \  -  O  BBA D(G0
(A ABBF 8   h      BED G(K@`
(D ABBJ P     `8    BBB E(A0D8GL
8A0A(B BBBC   X  ,  LKZ    BBB B(A0A8G@
8A0A(B BBBE7
8Q0A(B BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBE
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEs
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBE
8M0H(B BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEw
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE   T   i'    AZ   P     j    BDB B(A0H8O
8D0A(B BBBH         &g     D         BBB A(D0Du
0C(A BBBB    912  J j          W     5        ]S    	 
 
 
             T~6    &  * *ɳ +  - -  2γ 21ɳ 31 4  " /   g            	 
 
    
  3 P   >  I                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           7      6      `7                                                                                  (              (            @       @                              0@      A      PB              `            `8       @                              0@      A       C             Y
             k
             {
             
             
              0      
                                                                    o                 8                   
       m                                          h                                        h                                	                            o          o    `      o           o          o                                                                                                           (                      60      F0      V0      f0      v0      0      0      0      0      0      0      0      0      1      1      &1      61      F1      V1      f1      v1      1      1      1      1      1      1      1      1      2      2      &2      62      F2      V2      f2      v2      2      2      2      2      2      2      2      2      3      3      &3      63      F3      V3      f3      v3      3      3      3      3      3      3      3      3      4      4      &4      64      F4      V4      f4      v4      4      4      4      4      4                                                                            /usr/lib/debug/.dwz/x86_64-linux-gnu/apt.debug g;Q! 68711408d4e6bc99a6a0576421e624cb2436a9.debug    M4 .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .gcc_except_table .init_array .fini_array .data.rel.ro .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                     8      8                                     &             X      X      $                              9             |      |                                     G   o                   (                             Q                         p                          Y             8      8      m                             a   o                                               n   o       `      `      0                           }                                                          B       h      h                                              0       0                                                  0       0                                               4      4                                                4      4      y                                                      	                                                                                                                                                                         `                                          H      H                                                                                                                                                                                                                   (      (      @                                        h      h                                                                                                                                                                           C                              )                     \      4                                                          8                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     ELF          >    6      @                 @ 8 
 @         @       @       @                                                                                                     $      $                    0       0       0                                                                                                          (                   (      (      (      @      @                   8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd                                          Qtd                                                  Rtd                                             /lib64/ld-linux-x86-64.so.2              GNU                     GNU H-4̏         GNU                      X              X       em                        
                                          	                     N
                     (                     C                     d                                          
                     
                     I                     p                     f                                          
                                          Z                     x                     
                                          K                     7                                          S
                                          F                      #                     o
                     ^                     	                                          
                     
                                                               \
                     
                     '
                     
                                                               #	                                                                                    ,
                                          
                     	                     
                     D
                     Q                                          b                                          	                                          F                     	                     I                     	                     0                     =
                                          )	                                                                                                          i
                     	                                                                                                           
                     A	                                                                                      ,                                             &
                     
                                          l                                          
  "                                     _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable _Z9strprintfRNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEPKcz _ZNK14HashStringList8FileSizeEv _ZN12pkgAcqMethod11SendMessageERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEOSt13unordered_mapIS5_S5_St4hashIS5_ESt8equal_toIS5_ESaISt4pairIS6_S5_EEE _ZN12pkgAcqMethodC2EPKcm _ZNK13Configuration10FindVectorEPKcRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEb _ZN12pkgAcqMethod4FailENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEb _ZN12pkgAcqMethod14DropPrivsOrDieEv _ZTI12pkgAcqMethod _ZNK14HashStringList10VerifyFileENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _ZN12pkgAcqMethodD2Ev _ZN3APT6String8EndswithERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEES8_ _ZN13Configuration11MoveSubTreeEPKcS1_ _ZN6HashesD1Ev _Z13DeQuoteStringRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _config _ZN11GlobalError5ErrorEPKcz _Z10RemoveFilePKcRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _ZN6FileFdD1Ev _ZN12pkgAcqMethod3RunEb _ZN12pkgAcqMethod11FetchResult10TakeHashesER6Hashes _ZN11GlobalError6FatalEEPKcS1_z _ZNK13Configuration5FindBEPKcRKb _ZN12pkgAcqMethod7URIDoneERNS_11FetchResultEPS0_ _ZN12pkgAcqMethod8URIStartERNS_11FetchResultE _ZN12pkgAcqMethod11FetchResultD1Ev _ZN6FileFdC1Ev _ZN3APT13Configuration23getCompressorExtensionsB5cxx11Ev _ZN6Hashes5AddFDER6FileFdy _ZN6HashesC1ERK14HashStringList _ZN12pkgAcqMethod11FetchResultC1Ev _ZN6FileFd4OpenENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEjNS_12CompressModeEm _ZN12pkgAcqMethod13ConfigurationENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _Z12_GetErrorObjv _ZN11GlobalError5ErrnoEPKcS1_z _ZN3URI8CopyFromERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE seccomp_syscall_resolve_name seccomp_load seccomp_rule_add seccomp_init _ZTVN10__cxxabiv121__vmi_class_type_infoE _ZNSt6localeD1Ev _ZSt20__throw_length_errorPKc _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_assignERKS4_ _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_appendEPKcm _ZdlPvm _ZNSt8ios_base4InitD1Ev _ZTVN10__cxxabiv117__class_type_infoE _ZSt17__throw_bad_allocv _ZTVN10__cxxabiv120__si_class_type_infoE __cxa_begin_catch __gxx_personality_v0 _ZSt28__throw_bad_array_new_lengthv _ZNKSt8__detail20_Prime_rehash_policy14_M_need_rehashEmmm _ZNSt6localeC1EPKc _Znwm _ZNSt8ios_base4InitC1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_createERmm __cxa_rethrow _ZSt11_Hash_bytesPKvmm _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE10_M_disposeEv __cxa_end_catch _ZNSt6locale6globalERKS_ _Unwind_Resume lstat __stack_chk_fail setenv sigaction fork dgettext __cxa_atexit _exit __libc_start_main execv __cxa_finalize setlocale strerror getenv memcmp memset close waitpid sigemptyset memcpy __errno_location write libapt-pkg.so.6.0 libseccomp.so.2 libstdc++.so.6 libgcc_s.so.1 libc.so.6 GCC_3.0 APTPKG_6.0 GLIBCXX_3.4.18 CXXABI_1.3.9 GLIBCXX_3.4.29 CXXABI_1.3 GLIBCXX_3.4 GLIBCXX_3.4.21 CXXABI_1.3.5 GLIBC_2.4 GLIBC_2.33 GLIBC_2.14 GLIBC_2.34 GLIBC_2.2.5                                                      	  
             
                                              '         P&y   ?        
         N   G                h   R     yѯ   a     y  	 n     ӯk   }     t)        q        uѯ           5         ii
  
                
              ui	                       7                   6                   7                    P      0             p      P                   h                   p             (                   (                                      A                   A                   A                   B                   D                   `                                      8                   A                   A                   pC                    D                                            (         J          @         >           `         6                   B                    B                    I                     I                    (                    (                    X                                        K                    P                    Q                    W                    H                    Y                                                                                                                                                                                    	                    
                                                            
                                                                                                                                                                             (                    0                    8                    @                    H                    P                    X                    `                    h                     p         !           x         "                    #                    $                    %                    &                    '                    )                    *                    +                    ,                    -                    .                    /                    0                    1                    2                    3                     4                    5                    7                    8                     9           (         :           0         ;           8         <           @         =           H         ?           P         @           X         A           `         C           h         D           p         E           x         F                    G                    L                    M                    N                    O                    R                    S                    T                    U                    V                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           HH  HtH         5J  %L  @ %J  h    %B  h   %:  h   %2  h   %*  h   %"  h   %  h   %  h   p%
  h   `%  h	   P%  h
   @%  h   0%  h    %  h
   %  h    %  h   %  h   %  h   %  h   %  h   %  h   %  h   %  h   %  h   p%  h   `%  h   P%z  h   @%r  h   0%j  h    %b  h   %Z  h    %R  h   %J  h    %B  h!   %:  h"   %2  h#   %*  h$   %"  h%   %  h&   %  h'   p%
  h(   `%  h)   P%  h*   @%  h+   0%  h,    %  h-   %  h.    %  h/   %  h0   %  h1   %  h2   %  h3   %  h4   %  h5   %  h6   %  h7   p%  h8   `%  h9   P%z  h:   @%r  h;   0%j  h<    %b  h=   %Z  h>    %R  h?   %J  h@   %B  hA   %:  hB   %2  hC   %*  hD   %"  hE   %  hF   %  hG   p%
  hH   `%  hI   P%  f        HLd$ 
  HKLH;t  H|$ H|$LH|$X=  HH$  H$  H$  H$  H|$XLHH|$PmH|$hs  H|$ 	kHHIH|$ H|$hG  f     AT   Hh  USH   dH%(   H$   1IH\$ Hl$LHH,$D$fileHD$   D$ D  H<$H9tHD$Hp]L%  1HHǄ$      Ld$ H߉Ld$ L  H$   dH+%(   uH   []A\&H.H;fD  SHY  HH=!  H[H&  Yf     1I^HHPTE11H=  f.     @ H=  H  H9tH  Ht	        H=  H5  H)HH?HHHtHu  HtfD      =   u+UH=*   HtH=V  d]  ]     w    ATH)IUHSHHdH%(   HD$1H$HwBH?Hu1H$H} H] HD$dH+%(   uBH[]A\ HtH1HE HH$HEHLH$H} Mff.     AWAVIAUATUSH(  HvIVH|$L$  H$  HLdH%(   H$  1H$  H$  LH$p  HD$0H$p  H$  HD$8H$  H$  HD$@H$  H$  HD$HH$  H$   H|$XHǄ$x      Ƅ$   HǄ$      Ƅ$   HǄ$      Ƅ$   HǄ$      Ƅ$   HD$(H$  HǄ$      Ƅ$    H$  H9tH$  HpHD$xH=%  D$x H5[  HHD$L$   t`H$  LXH$   HHD$H$   t`H5  H=  H=HH1[ H$  H$  H$   LH$   H= I~0LD  $    uIv0H=  
H$   LzD$d  9 D$d$    uH|$Ht$HP H$`  HHD$ H$  HǄ$        H$   HHD$hH$   H$   HD$PH;$   u   @ H H9$      HLtH$   H$   L$   HH+kH$H9L$   HGHl$xH  H  H$ $   LH$   L( H$   G  H$   L9NH$   H HpiH9$   = H$     H|$HT$ Ht$HP(   L$   H$   I9t5f.     H} HEH9t
HEHpH I9uH$   HtH$   HH)H|$ H|$H$   H$   H9tH$   HpH$  HD$(H9tH$   HppH$  HD$HH9tH$  HpMH$  HD$@H9tH$  Hp*H$  HD$8H9tH$  HpH$p  HD$0H9tH$  HpH$  dH+%(     H(  []A\A]A^A_f     $  IFXH9$8  HH$   H$   InhH$`  H$p  HHD$ IHH$`  xLH
H$`  H9tH$p  Hp@ Iv0H$(  Ƅ$   fD  H1L+fHt$H|$P1oH$   HHD$xH$   H4$HHl$xH$   f     H$0   tH|$Ht$1HP(:fD  L$dxH5  H=  H2H$   HH1]~     H$  H$(  LH$H  H$8  IVXƄ$    I^hH$  H9u	He  H$   HHHD$hH$`  HHl$ UH$(  H$0  H$   L$   HL$   HN      HHA  WH$   L9tH$   Hp7tH\$hHt$ 1H   H|$ H|$hKfD  H$  Ht$PH$  H$  fH$8  IFXƄ$   H$  HtH9t9H$   L9GH$   Hp1H|$Hl`Ƅ$  HHH9$H  |Ƅ$   o\HHHH	HHH HH[H]H@    f.     HH`    f.     D  SH VdH%(   HD$1H\$HL$fD  HcHigfffH")4)0HHH9uѺ.   H5}     S
   H޿   A      H5}  +      H5}        H5}     UD  H  ATUHSHH   H   H9tH   HpL   H   I9t2f     H;HCH9t
HCHpwH I9uH   HtH   HH)P[H]A\d@ H  ATUHSHH   H   H9tH   HpL   H   I9t2f     H;HCH9t
HCHpH I9uH   HtH   HH)[H]A\@ Hq  ATUHSHH   H   H9tH   HplL   H   I9t2f     H;HCH9t
HCHp7H I9uH   HtH   HH)H([H   ]A\    H  ATUHSHH   H   H9tH   HpL   H   I9t2f     H;HCH9t
HCHpH I9uH   HtH   HH)`Hx[H   ]A\G    SHH   H   H9tH   HpH{`HCpH9t
HCpHpH{@HCPH9t
HCPHpH{ HC0H9t
HC0HpH;HCH9tHs[H[f.     @ ATIUSHoHH9t+D  H;HCH9t
HCHpoH H9uI$HtIt$HH)[]A\If     []A\f.     AVAUATUHHHSHH@dH%(   HD$81Lt$Ld$ Hu HULLd$HHǃ       f       HLh Ht$H   H@HT$L   HHH|$L   L9tHD$ Hpt@ H   H:  H   HU LeHHEL9   H   HUH   Le L-x  HE    LH   Hǃ       E Hl$H(IHLLHHD$8dH+%(   u0H@[]A\A]A^D  HHzLHEiHHHWIGH2rH   H   H)HtRLHbHH"LzL   9HHH   MH   Qf.     D  ATIUSHoHtMHHm H{(HC8H9t
HC8HpH{HCH9t
HCHpP   HHuID$I<$1H    ID$    ID$    []A\@ SH_HtFH{(HC8H9t
HC8Hp,H{HCH9t
HCHpH߾P   [@ [f.     @ AWAVAUATUSHHL$MtZI$IHIIHKH H3HtXHNH1IHHuI9uCHL9uIWH;SuHtHsI?uHL[]A\A]A^A_f.     E1f.     AUATUHSHHH   HIH<   L,    LL1HILU0HuHE    E1LMHt,H1H6HAHHIH8Ht?HHH HHuH} HuL9t	HH]Le H[]A\A]D  H}H9HMLH9 tKI Lg0HG0    MZ@ H=thHI$HE(3HH AUIATIUHLSHH HHWHwdH%(   HD$HGH$uLH3LeHJHHtYH HE HH(HCHD$dH+%(   ucHH[]A\A]f     HHH2L1HsI@ HCHE HkHE HtH@H1HsH,HCH_f.     D  AWAVAUIATUHSH   Lw P   dH%(   H$   1Ld$@L|$pHD$H   L|$@HD$P    HD$X    D$`  ?HD$h    HD$p    Ld$0M  HH     H@UR  HD$(HCH{(HCHD$HC8fKCIC HC   IVHC(IvHD$ H|H|$XH{H\$8HKs  Lt$PMud  @ M6MT  I9NuIvHt HHL$H|$SH|$HL$uH{(H9|$ t
HC8HpH{H9|$t
HCHpP   HI}X   P   Ld$0nHH@IuPIUXH@    LsH{(HD$(HHUsedMirrHCor  LsfAFHC8HC
   C" HC(HD$ ]H|$XH{H\$8LCt  HL$PHue  D  H	HT  L9AuHL$HqMt%LLD$H|$.H|$LD$HL$uH{(H9|$ t
HC8HpH{I9t
HCHpP   HP   Ld$0QLpL@8HH     LpHM@MessAFsageH@   @ L@(HE H9  HC(HELMHC8H|$XLK0HM HE    E H\$8  HD$PHu      H H|  HxuHP
A9uRA9VuH{(I9t
HC8HpH{I9t
HCHpP   HH$   H$   LH104 WarnHLH$   H$   Ǆ$   ningHǄ$      Ƅ$    H$   H9tH$   HpL#H|$@Ht$HL9t	HH$   dH+%(     Hĸ   []A\A]A^A_fiHS1IHt$HH|$XHv)HT$(LLHt$Ht$Ht
H8 A   HLLA@ iǾ   LLD$1HHt$HH|$XHv-HSHLHt$(Ht$HtH8 LD$FA   HHLffD  LpL@8UR  HH     H|$XLpfPAFIH@   @ L@(H<UNKNOWNHC8H\$8A@>HC0	   CA wHD$PH   D  iǾ   LLD$1IHt$HH|$XH`  LHSLLL$Ht$/Ht$LL$H4  H8 LD$%  H{(I9t
HC8HpH{I9 D  HP
fA9       H HDHxu iL31IHt$HH|$XHv3HT$(LLLL$Ht$tHt$LL$Ht
H8 A   HLLfLMLHHLLL$HL$jHL$LL$I     RA8V*D  A   HLLHH|$0ULH|$@Ht$HL9t	HH
HH
HH|$(HP   HJEHH|$(HP   H#HqHH
]}S     AWAVAUATUSH   dH%(   H$   1H    u2   H$   dH+%(   "  H   []A\A]A^A_@ ILt$D$ H=  LH5Nk  tÅ+  1L9     HH  L|$@HL$0E1LH5  HDk  H$L|$L|$0HD$8    D$@ H|$0L9tHD$@HpHl$L|$I9trf.     H} G1ɾ   H1Aą  H I9uLd$Hl$I9t)H} HEH9t
HEHpfH I9uHl$HtHt$ HH)C1ɺ     H1mŅ0W  1ɺ     H1MŅV  1ɺ     H1-ŅQW  1ɺZ     H1
ŅO3  1ɺ\     H1ŅU  1ɺ  H1ŅU  1ɺ     H1ŅU  1ɺ  H1Ņ-  1ɺ     H1mŅ>  1ɺ  H1MŅF  1ɺ     H1-Ņ  1ɺ  H1
Ņ  1ɺ     H1Ņ  1ɺU     H1Ņ  1ɺ      H1Ņ\  1ɺ!     H1Ņd  1ɺ$    H1mŅ  1ɺ<     H1MŅ  1ɺ     H1-Ņ7  1ɺ
    H1
Ņ?  1ɺ[     H1Ņ  1ɺ    H1Ņ  1ɺ]     H1Ņ  1ɺ  H1Ņ	  1ɺ    H1mŅM  1ɺH     H1MŅM  1ɺ  H1-ŅM  1ɺK     H1
Ņq2  1ɺI     H1ŅK  1ɺ     H1ŅjK  1ɺ  H1ŅL  1ɺ  H1ŅA,  1ɺ     H1mŅHJ  1ɺ  H1MŅI  1ɺJ     H1-ŅiJ  1ɺ  H1
Ņ.  1ɺM     H1ŅH  1ɺ  H1Ņ0H  1ɺ     H1ŅH  1ɺ  H1Ņi(  1ɺ    H1mŅG  1ɺl     H1MŅF  1ɺ  H1-Ņ/G  1ɺk     H1
Ņ/  1ɺ  H1ŅqE  1ɺh     H1ŅD  1ɺ  H1ŅE  1ɺs     H1Ņ(  1ɺ  H1mŅC  1ɺ4     H1MŅYC  1ɺy     H1-ŅC  1ɺo     H1
Ņ-+  1ɺ'     H1Ņ7B  1ɺn     H1ŅA  1ɺ>    H1ŅXB  1ɺx     H1Ņ$  1ɺ  H1mŅ@  1ɺv     H1MŅ@  1ɺ  H1-Ņ@  1ɺa     H1
Ņ.  1ɺ    H1Ņ>  1ɺb     H1Ņ>  1ɺ     H1Ņ?  1ɺ`     H1Ņ(  1ɺf     H1mŅ`=  1ɺ  H1MŅ<  1ɺ     H1-Ņ=  1ɺ^     H1
Ņ*  1ɺ  H1Ņ;  1ɺ  H1ŅH;  1ɺ     H1Ņ;  1ɺ     H1Ņ$  1ɺ  H1mŅ&:  1ɺ     H1MŅ9  1ɺ	     H1-ŅG:  1ɺ  H1
Ņ`+  1ɺ
     H1Ņ8  1ɺ     H1Ņ8  1ɺ     H1Ņ8  1ɺ     H1Ņ0%  1ɺ#     H1mŅ6  1ɺ    H1MŅq6  1ɺ  H1-Ņ
7  1ɺ  H1
Ņ'  1ɺ  H1ŅO5  1ɺ  H1Ņ4  1ɺ  H1Ņp5  1ɺ  H1ŅX!  1ɺ     H1mŅ3  1ɺ    H1MŅ73  1ɺ     H1-Ņ3  1ɺ%    H1
Ņ*  1ɺ     H1Ņ2  1ɺ    H1Ņ1  1ɺ
  H1Ņ62  1ɺ     H1Ņ#  1ɺ.    H1mŅx0  1ɺ    H1MŅ/  1ɺ	  H1-Ņ0  11Ҿ  H1ŅA&  1ɺ     H1Ņ.  1ɺR     H1Ņc.  1ɺ    H1Ņ.  1ɺ<    H1Ņ   1ɺ     H1pŅA-  1ɺ
     H1PŅ,  1ɺ     H10Ņb-  1ɺ     H1Ņ&  1ɺ     H1Ņ+  1ɺ     H1Ņ)+  1ɺ     H1Ņ+  1ɺ     H1Ņ}   1ɺ     H1pŅ*  1ɺ     H1PŅ)  1ɺ    H10Ņ(*  1ɺ  H1Ņ"  1ɺ  H1Ņj(  1ɺ  H1Ņ'  1ɺ  H1Ņ(  1ɺ  H1Ņ  1ɺ     H1pŅ  1ɺ  H1PŅ  1ɺ     H10Ņ  1ɺ  H1Ņi  1ɺL    H1Ņf  1ɺ     H1Ņ  1ɺ  H1Ņ  1ɺc     H1Ņ}  1ɺ     H1pŅ$  1ɺL     H1PŅ  1ɺ  H10Ņ  1ɺ  H1Ņ  1ɺ_     H1Ņ  1ɺ?     H1Ņ  1ɺW     H1ŅA  1ɺ    H1Ņ  1ɺ     H1pŅ  1ɺ    H1PŅp  1ɺ   H10ŅM  1ɺ     H1ŅX  1ɺ     H1Ņ  1ɺ     H1Ņ
  I   _  t`1ɺ  H1Ņ
  1ɺN     H1}Ņ9  1ɺ     H1]Ņ3  H=o]  GH   1ɺA     H1(Ņ  1ɺ@     H1Ņ  1ɺE     H1Ņ  1ɺF     H1Ņ2  1ɺD     H1ŅA  1ɺG     H1Ņ
  1ɺ  H1hŅ  L|$H$E1LH5p  H\  D$@ L|$0HD$8    H|$0L9tHD$@HpHl$L|$I9tjfH} G1ɾ  H1Aą  H I9uLd$Hl$I9t)H} HEH9t
HEHpfH I9uHl$HtHt$ HH)CHÃH    H=  LD$H5[  MCH<$1   HH|$8MH4$1ҿ   H+Ǆ$      HD$06D$ԃ	hH\$01L|$@LHH$L|$0HD$'   %HT$HLfob\  HD$0H seccompHT$@ foS\  @HHHT$8 
H|$0L9mHD$@Hp!Z@ 1ɺ1     H1BŅ?  1ɺ*     H1"ŅP?  1ɺ3     H1Ņ?  1ɺ7     H1Ņ  1ɺ  H1Ņ.>  1ɺ-     H1Ņ=  1ɺ+    H1ŅO>  1ɺ  H1bŅ`  1ɺ/     H1BŅ<  1ɺ  H1"Ņ<  1ɺ3    H1Ņ<  1ɺ.     H1Ņ  1ɺ,     H1Ņ:  1ɺ6     H1Ņy:  1ɺ0     H1Ņ;  1ɺ)     H1bŅ  1ɺ  H1BŅ  I   u@ H\$   D$@ HD$8    H\$0L<$H5X  H1LLLsH|$0H9mHD$@HpZDHpHM HR  HIH5X  1!Hl$H\$H9t)H;HSH9t$HCHp&$H H9uH|$HNHt$ $H)$5
DHHM H#R  HIH5Q  1Hl$H\$H9tH;HSH9t$HCHp$H H9ukHH$   dH+%(     H   HVQ  H5cQ  1[]A\A]A^A_
UH)IH$   dH+%(     H   H1[H
7R  H\Q  ]H5Q  A\A]A^A_HIH$   dH+%(   W  H   H1[H
Q  HQ  ]H5P  A\A]A^A_THsIH$   dH+%(     H   H1[H
`Q  HP  ]H5NP  A\A]A^A_DHIH$   dH+%(     H   H1[H
P  HKP  ]H5O  A\A]A^A_H轿IH$   dH+%(   (  H   H1[H
P  HO  ]H5O  A\A]A^A_CHbIH$   dH+%(     H   H1[H
+P  HO  ]H5=O  A\A]A^A_3HIH$   dH+%(     H   H1[H
O  H:O  ]H5N  A\A]A^A_ؿH謾IH$   dH+%(   S  H   H1[H
8O  HN  ]H5N  A\A]A^A_2}HQIH$   dH+%(     H   H1[H
XO  HN  ]H5,N  A\A]A^A_"HIH$   dH+%(     H   H1[H
N  H)N  ]H5M  A\A]A^A_|ǾH蛽IH$   dH+%(     H   H1[H
}N  HM  ]H5vM  A\A]A^A_!lH@IH$   dH+%(     H   H1[H
M  HsM  ]H5M  A\A]A^A_ƿHIH$   dH+%(   U  H   H1[H
M  HM  ]H5L  A\A]A^A_k趽H芼IH$   dH+%(   "  H   H1[H
MM  HL  ]H5eL  A\A]A^A_[H/IH$   dH+%(      H   H1[H
M  HbL  ]H5
L  A\A]A^A_鵾 HԻIH$   dH+%(      H   H1[H
RL  HL  ]H5K  A\A]A^A_Z襽蠽蛽薽葽茽臽肽}xsnid_ZUPH$IH$   dH+%(     H   H1[H
=P  HWK  ]H5J  A\A]A^A_骽HɺIH$   dH+%(     H   H1[H
EO  HJ  ]H5J  A\A]A^A_O蚻HnIH$   dH+%(     H   H1[H
N  HJ  ]H5IJ  A\A]A^A_?HIH$   dH+%(     H   H1[H
uO  HFJ  ]H5I  A\A]A^A_陼H踹IH$   dH+%(   \	  H   H1[H
M  HI  ]H5I  A\A]A^A_>艺H]IH$   dH+%(   7  H   H1[H
M  HI  ]H58I  A\A]A^A_.HIH$   dH+%(     H   H1[H
/M  H5I  ]H5H  A\A]A^A_鈻ӹH觸IH$   dH+%(     H   H1[H
M  HH  ]H5H  A\A]A^A_-xHLIH$   dH+%(   [  H   H1[H
I  HH  ]H5'H  A\A]A^A_ҺHIH$   dH+%(   j  H   H1[H
gL  H$H  ]H5G  A\A]A^A_w¸H薷IH$   dH+%(     H   H1[H
J  HG  ]H5qG  A\A]A^A_gH;IH$   dH+%(   8  H   H1[H
L  HnG  ]H5G  A\A]A^A_HIH$   dH+%(     H   H1[H
H  HG  ]H5F  A\A]A^A_f豷H腶IH$   dH+%(     H   H1[H
J  HF  ]H5`F  A\A]A^A_VH*IH$   dH+%(   m  H   H1[H
G  H]F  ]H5F  A\A]A^A_鰸HϵIH$   dH+%(     H   H1[H
J  HF  ]H5E  A\A]A^A_U蠶HtIH$   dH+%(     H   H1[H
F  HE  ]H5OE  A\A]A^A_E@HIH$   dH+%(   u5H   H1[H
VI  HKE  ]H5D  A\A]A^A_鞷ߵH賴IH$   dH+%(   u5H   H1[H
H  HD  ]H5D  A\A]A^A_=舶胶~HRIH$   dH+%(   u5H   H1[H
E  HD  ]H51D  A\A]A^A_ܶ'"HIH$   dH+%(   u5H   H1[H
^E  H(D  ]H5C  A\A]A^A_{Ƶ輴H萳IH$   dH+%(   u5H   H1[H
*G  HC  ]H5oC  A\A]A^A_e`[H/IH$   dH+%(   u5H   H1[H
RG  HfC  ]H5C  A\A]A^A_鹵HβIH$   dH+%(   u5H   H1[H
#D  HC  ]H5B  A\A]A^A_X裴螴虳HmIH$   dH+%(   u5H   H1[H
E  HB  ]H5LB  A\A]A^A_B=8HIH$   dH+%(   u5H   H1[H
kG  HCB  ]H5A  A\A]A^A_閴ܳײH諱IH$   dH+%(   u5H   H1[H
F  HA  ]H5A  A\A]A^A_5耳{vHJIH$   dH+%(   u5H   H1[H
F  HA  ]H5)A  A\A]A^A_ԳHIH$   dH+%(   u5H   H1[H
F  H A  ]H5@  A\A]A^A_s農蹲贱H舰IH$   dH+%(   u5H   H1[H
D  H@  ]H5g@  A\A]A^A_]XSH'IH$   dH+%(   u5H   H1[H
yD  H^@  ]H5@  A\A]A^A_鱲1足   謳   袳   H5?  H=?  課forF  Ht$0H-helper H$   H$   1H|$0HD$8)$      kۉH?HH$   dH+%(     H   HHDE  1[H5D  ]A\A]A^A_̱HIH$   dH+%(   M  H   H1[H
C  H?  ]H5>  A\A]A^A_q輯H萮IH$   dH+%(     H   H1[H
xB  H>  ]H5k>  A\A]A^A_aH5IH$   dH+%(     H   H1[H
U@  Hh>  ]H5>  A\A]A^A_黰HڭIH$   dH+%(   %  H   H1[H
@  H
>  ]H5=  A\A]A^A_`諮HIH$   dH+%(   U  H   H1[H
B  H=  ]H5Z=  A\A]A^A_PH$IH$   dH+%(      H   H1[H
@  HW=  ]H5<  A\A]A^A_骯HɬIH$   dH+%(     H   H1[H
S>  H<  ]H5<  A\A]A^A_O蚭HnIH$   dH+%(   (  H   H1[H
p?  H<  ]H5I<  A\A]A^A_?HIH$   dH+%(     H   H1[H
}<  HF<  ]H5;  A\A]A^A_陮H踫IH$   dH+%(   $  H   H1[H
?  H;  ]H5;  A\A]A^A_>艬H]IH$   dH+%(     H   H1[H
2=  H;  ]H58;  A\A]A^A_.HIH$   dH+%(   V%  H   H1[H
=  H5;  ]H5:  A\A]A^A_鈭ӫH觪IH$   dH+%(     H   H1[H
e?  H:  ]H5:  A\A]A^A_-xHLIH$   dH+%(   ,   H   H1[H
:  H:  ]H5':  A\A]A^A_ҬHIH$   dH+%(     H   H1[H
7;  H$:  ]H59  A\A]A^A_wªH薩IH$   dH+%(   K'  H   H1[H
<  H9  ]H5q9  A\A]A^A_gH;IH$   dH+%(     H   H1[H
>  Hn9  ]H59  A\A]A^A_HIH$   dH+%(   /  H   H1[H
<  H9  ]H58  A\A]A^A_f豩H腨IH$   dH+%(     H   H1[H
:  H8  ]H5`8  A\A]A^A_VH*IH$   dH+%(   a!  H   H1[H
 ;  H]8  ]H58  A\A]A^A_鰪HϧIH$   dH+%(   
  H   H1[H
<  H8  ]H57  A\A]A^A_U蠨HtIH$   dH+%(   7  H   H1[H
:  H7  ]H5O7  A\A]A^A_EHIH$   dH+%(     H   H1[H
8  HL7  ]H56  A\A]A^A_韩H辦IH$   dH+%(   i$  H   H1[H
N9  H6  ]H56  A\A]A^A_D菧HcIH$   dH+%(     H   H1[H
[7  H6  ]H5>6  A\A]A^A_4HIH$   dH+%(     H   H1[H
9  H;6  ]H55  A\A]A^A_鎨٦H譥IH$   dH+%(   N  H   H1[H
`7  H5  ]H55  A\A]A^A_3~HRIH$   dH+%(      H   H1[H
8  H5  ]H5-5  A\A]A^A_ا#HIH$   dH+%(   $
  H   H1[H
9  H*5  ]H54  A\A]A^A_}ȥH蜤IH$   dH+%(     H   H1[H
7  H4  ]H5w4  A\A]A^A_"mHAIH$   dH+%(   V  H   H1[H
o5  Ht4  ]H54  A\A]A^A_ǦHIH$   dH+%(   !  H   H1[H
8  H4  ]H53  A\A]A^A_l跥貤H膣IH$   dH+%(      H   H1[H
B7  H3  ]H5a3  A\A]A^A_WH+IH$   dH+%(   u5H   H1[H
6  Hb3  ]H5
3  A\A]A^A_鵥 HʢIH$   dH+%(   u5H   H1[H
6  H3  ]H52  A\A]A^A_T蟤蚤蕣HiIH$   dH+%(      H   H1[H
X5  H2  ]H5D2  A\A]A^A_:HIH$   dH+%(   u5H   H1[H
6  HE2  ]H51  A\A]A^A_阤ޣ٢H譡IH$   dH+%(   u5H   H1[H
5  H1  ]H51  A\A]A^A_7肣}xHLIH$   dH+%(      H   H1[H
$5  H1  ]H5'1  A\A]A^A_ңHIH$   dH+%(   u5H   H1[H
4  H(1  ]H50  A\A]A^A_{Ƣ輡H萠IH$   dH+%(   u5H   H1[H
y4  H0  ]H5o0  A\A]A^A_e`[H/IH$   dH+%(      H   H1[H
3  Hb0  ]H5
0  A\A]A^A_鵢 HԟIH$   dH+%(   u5H   H1[H
f3  H0  ]H5/  A\A]A^A_^詡褡蟠HsIH$   dH+%(   u5H   H1[H
"3  H/  ]H5R/  A\A]A^A_HC>HIH$   dH+%(      H   H1[H
2  HE/  ]H5.  A\A]A^A_阡H跞IH$   dH+%(   u5H   H1[H
)2  H.  ]H5.  A\A]A^A_A茠臠肟HVIH$   dH+%(   u5H   H1[H
1  H.  ]H55.  A\A]A^A_+&!HIH$   dH+%(      H   H1[H
E1  H(.  ]H5-  A\A]A^A_{ƞH蚝IH$   dH+%(   u5H   H1[H
0  H-  ]H5y-  A\A]A^A_$ojeH9IH$   dH+%(   u5H   H1[H
0  Hp-  ]H5-  A\A]A^A_ß	H؜IH$   dH+%(      H   H1[H
0  H-  ]H5,  A\A]A^A_^詝H}IH$   dH+%(   u5H   H1[H
/  H,  ]H5\,  A\A]A^A_RMHHIH$   dH+%(   u5H   H1[H
Y/  HS,  ]H5+  A\A]A^A_馞H軛IH$   dH+%(      H   H1[H
.  H+  ]H5+  A\A]A^A_A茜H`IH$   dH+%(   u5H   H1[H
.  H+  ]H5?+  A\A]A^A_50+HIH$   dH+%(   u5H   H1[H
+.  H6+  ]H5*  A\A]A^A_鉝ԜϜʛH螚IH$   dH+%(      H   H1[H
-  H*  ]H5y*  A\A]A^A_$oHCIH$   dH+%(   u5H   H1[H
F-  Hz*  ]H5"*  A\A]A^A_͜HIH$   dH+%(   u5H   H1[H
,  H*  ]H5)  A\A]A^A_l跛貛譚H聙IH$   dH+%(      H   H1[H
a,  H)  ]H5\)  A\A]A^A_RH&IH$   dH+%(   u5H   H1[H
)  H])  ]H5)  A\A]A^A_鰛HŘIH$   dH+%(   u5H   H1[H
+  H(  ]H5(  A\A]A^A_O蚚蕚萙HdIH$   dH+%(      H   H1[H
0+  H(  ]H5?(  A\A]A^A_5H	IH$   dH+%(   u5H   H1[H
*  H@(  ]H5'  A\A]A^A_铚ޙٙԘH託IH$   dH+%(   u5H   H1[H
*  H'  ]H5'  A\A]A^A_2}xsHGIH$   dH+%(      H   H1[H
)  Hz'  ]H5"'  A\A]A^A_͙HIH$   dH+%(   u5H   H1[H
)  H#'  ]H5&  A\A]A^A_v輘跗H苖IH$   dH+%(   u5H   H1[H
G)  H&  ]H5j&  A\A]A^A_`[VH*IH$   dH+%(      H   H1[H
(  H]&  ]H5&  A\A]A^A_鰘HϕIH$   dH+%(   u5H   H1[H
j(  H&  ]H5%  A\A]A^A_Y褗蟗蚖HnIH$   dH+%(   u5H   H1[H
(  H%  ]H5M%  A\A]A^A_C>9H
IH$   dH+%(      H   H1[H
'  H@%  ]H5$  A\A]A^A_铗ޕH貔IH$   dH+%(   u5H   H1[H
0'  H$  ]H5$  A\A]A^A_<臖肖}HQIH$   dH+%(   u5H   H1[H
&  H$  ]H50$  A\A]A^A_ۖ&!HIH$   dH+%(      H   H1[H
L&  H#$  ]H5#  A\A]A^A_vH蕓IH$   dH+%(   u5H   H1[H
%  H#  ]H5t#  A\A]A^A_je`H4IH$   dH+%(   u5H   H1[H
%  Hk#  ]H5#  A\A]A^A_龕	HӒIH$   dH+%(      H   H1[H
	%  H#  ]H5"  A\A]A^A_Y褓HxIH$   dH+%(   u5H   H1[H
$  H"  ]H5W"  A\A]A^A_MHCHIH$   dH+%(   u5H   H1[H
[$  HN"  ]H5!  A\A]A^A_顔H趑IH$   dH+%(      H   H1[H
#  H!  ]H5!  A\A]A^A_<臒H[IH$   dH+%(   u5H   H1[H
f#  H!  ]H5:!  A\A]A^A_0+&HIH$   dH+%(   u5H   H1[H
#  H1!  ]H5   A\A]A^A_鄓ϒʒőH虐IH$   dH+%(      H   H1[H
"  H   ]H5t   A\A]A^A_jH>IH$   dH+%(   u5H   H1[H
!"  Hu   ]H5   A\A]A^A_Ȓ	HݏIH$   dH+%(   u5H   H1[H
!  H   ]H5  A\A]A^A_g貑譑訐H|IH$   dH+%(      H   H1[H
A!  H  ]H5W  A\A]A^A_MH!IH$   dH+%(   u5H   H1[H
   HX  ]H5   A\A]A^A_髑HIH$   dH+%(   u5H   H1[H
   H  ]H5  A\A]A^A_J蕐萐苏H_IH$   dH+%(      H   H1[H
    H  ]H5:  A\A]A^A_0HIH$   dH+%(   u5H   H1[H
  H;  ]H5  A\A]A^A_鎐ُԏώH裍IH$   dH+%(   u5H   H1[H
P  H  ]H5  A\A]A^A_-xsnHBIH$   dH+%(      H   H1[H
  Hu  ]H5  A\A]A^A_ȏHIH$   dH+%(   u5H   H1[H
Y  H  ]H5  A\A]A^A_q輎跎貍H膌IH$   dH+%(   u5H   H1[H
  H  ]H5e  A\A]A^A_[VQH%IH$   dH+%(      H   H1[H
}  HX  ]H5   A\A]A^A_髎HʋIH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_T蟍蚍蕌HiIH$   dH+%(   u5H   H1[H
  H  ]H5H  A\A]A^A_>94HIH$   dH+%(      H   H1[H
  H;  ]H5  A\A]A^A_鎍ًH譊IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_7肌}xHLIH$   dH+%(   u5H   H1[H
  H  ]H5+  A\A]A^A_֌!HIH$   dH+%(      H   H1[H
  H  ]H5  A\A]A^A_q輊H萉IH$   dH+%(   u5H   H1[H
  H  ]H5o  A\A]A^A_e`[H/IH$   dH+%(   u5H   H1[H
Y  Hf  ]H5  A\A]A^A_鹋HΈIH$   dH+%(      H   H1[H
  H  ]H5  A\A]A^A_T蟉HsIH$   dH+%(   u5H   H1[H
c  H  ]H5R  A\A]A^A_HC>HIH$   dH+%(   u5H   H1[H
  HI  ]H5  A\A]A^A_霊݈H豇IH$   dH+%(      H   H1[H
  H  ]H5  A\A]A^A_7肈HVIH$   dH+%(   u5H   H1[H
(  H  ]H55  A\A]A^A_+&!HIH$   dH+%(   u5H   H1[H
  H,  ]H5  A\A]A^A_ʈňH蔆IH$   dH+%(      H   H1[H
@  H  ]H5o  A\A]A^A_eH9IH$   dH+%(   u5H   H1[H
  Hp  ]H5  A\A]A^A_È	H؅IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_b譇訇裆HwIH$   dH+%(      H   H1[H
  H  ]H5R  A\A]A^A_HHIH$   dH+%(   u5H   H1[H
  HS  ]H5  A\A]A^A_馇H軄IH$   dH+%(   u5H   H1[H
O  H  ]H5  A\A]A^A_E萆苆膅HZIH$   dH+%(      H   H1[H
i  H  ]H55  A\A]A^A_+HIH$   dH+%(   u5H   H1[H
  H6  ]H5  A\A]A^A_鉆ԅυʄH螃IH$   dH+%(   u5H   H1[H
  H  ]H5}  A\A]A^A_(sniH=IH$   dH+%(      H   H1[H
  Hp  ]H5  A\A]A^A_ÅHIH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_l跄貄譃H聂IH$   dH+%(   u5H   H1[H
  H  ]H5`  A\A]A^A_VQLGHHLuH蝅H<$TH茅HHH<$9HqL9HaHHH<$HFH<$H5D  AVAUATUHSHPHVdH%(   HD$H1HLl$ Ld$0LLd$ HH荈LHbH|$ L9tHD$0Hp8u$HD$HdH+%(   (  HP[]A\A]A^ÐHBinary::H   Ld$ HD$0H   H?HD$(   D$8 H9   L赀Ll$LpHL,$HH@L9   H$HSHT$L3C H|$ HD$HC    L9tHD$0HplH4$H=O  1ʀH"HZH<$L9HD$Hp-     HPHHtLLaHC`H=s  gHHH#H[LHK   HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     
 **** Seccomp prevented execution of syscall   on architecture  amd64  ****
 1.0 Acquire::Send-URI-Encoded apt file File not found APT::Sandbox::Seccomp meow QEMU_VERSION Cannot init seccomp HttpMethod::Configuration APT::Sandbox::Seccomp::Trap Cannot trap %s: %s access Cannot allow %s: %s arch_prctl brk clock_getres clock_getres_time64 clock_gettime clock_gettime64 clock_nanosleep clock_nanosleep_time64 close creat dup dup2 dup3 exit exit_group faccessat fchmod fchmodat fchown fchown32 fchownat fcntl fcntl64 fdatasync flock fstat64 fstatat64 fstatfs fstatfs64 fsync ftime ftruncate ftruncate64 futex futex_time64 futimesat getegid getegid32 geteuid geteuid32 getgid getgid32 getgroups getgroups32 getpeername getpgid getpgrp getpid getppid getrandom getresgid getresgid32 getresuid getresuid32 get_robust_list getrusage gettid gettimeofday getuid getuid32 ioctl lchown lchown32 _llseek lstat64 madvise mmap mmap2 mprotect mremap msync munmap newfstatat _newselect oldfstat oldlstat oldolduname oldstat open openat pipe pipe2 ppoll ppoll_time64 prlimit64 pselect6 pselect6_time64 read readv rename renameat renameat2 restart_syscall rt_sigaction rt_sigpending rt_sigprocmask rt_sigqueueinfo rt_sigreturn rt_sigsuspend rt_sigtimedwait sched_yield set_robust_list statx sysinfo ugetrlimit umask unlink unlinkat utime utimensat utimensat_time64 utimes write writev bind connect getsockname getsockopt recv recvfrom recvmmsg recvmmsg_time64 recvmsg send sendmmsg sendmsg sendto setsockopt shutdown socket socketcall readdir getdents getdents64 FAKED_MODE semop semget msgsnd msgrcv msgget msgctl ipc APT::Sandbox::Seccomp::Allow aptMethod::Configuration APT::Sandbox::Seccomp::Print   aptMethod::Configuration: could not load seccomp policy: %s     could not load seccomp policy: %s       Invalid URI, local URIS must not start with // basic_string::append     26aptConfigWrapperForMethods    9aptMethod      10FileMethod    /usr/lib/apt/aptRunning in qemu-user, not using ;      `h8  m`   m  Fm    nt   o  0o   p  p  zx   z  0z  @z  {  {0  P|\   }  }  P~  ~,         d  Ѓ     4  P$             zR x       n"                  zR x  $       g   FJw ?;*3$"       D   k              \   x          p   x	             x             x    AD0   0      Hn    BGD G0L
 AABD (      y    IAD DB  (     xy    IAD DB  (   @  y    IAD IB  (   l  pz    IAD IB       z    A
JA4     t{e    BDA H
ABNAAB         zPLR x15    D   $   {A  3  BBB A(J0GpR
0A(A BBBF4   l   j   '  BMA G
 CABA      li%       (     <}    BDA AB       }R    AF
IAH     }    BBB B(A0A8D@j
8D0A(B BBBK <   \  4~-  O  BBA D(G0
(A ABBF 8     $    BED G(K@`
(D ABBJ P     8    BBB E(A0D8GL
8A0A(B BBBC   X  ,  ćKZ    BBB B(A0A8G@
8A0A(B BBBE7
8Q0A(B BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBE
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEs
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBE
8M0H(B BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEw
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE   t  hY'    AZ   P     [<	    BBE B(A0A8GF
8C0A(B BBBJ         >W   	  D     $    BBB A(D0Du
0C(A BBBB    912  J j          W     5        ]S    	 
 
 
             T~6    &  * *ɳ +  - -  2γ 21ɳ 31 4  ~R   !  (  [       K        0S   >  I                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                7      6      7              P              p                                                      (              (            A      A                              A      B      D              `            8      A                              A      pC      D             
                                       '             5              0      
                                                                    o                 8                   
                                                 h                                                                        	                            o          o          o           o    4      o                                                                                                           (                      60      F0      V0      f0      v0      0      0      0      0      0      0      0      0      1      1      &1      61      F1      V1      f1      v1      1      1      1      1      1      1      1      1      2      2      &2      62      F2      V2      f2      v2      2      2      2      2      2      2      2      2      3      3      &3      63      F3      V3      f3      v3      3      3      3      3      3      3      3      3      4      4      &4      64      F4      V4      f4      v4      4      4      4      4      4                                                                            /usr/lib/debug/.dwz/x86_64-linux-gnu/apt.debug g;Q! e71948aeab9f1fed2dbbc434bdf518cc8faac1.debug    zB .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .gcc_except_table .init_array .fini_array .data.rel.ro .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                     8      8                                     &             X      X      $                              9             |      |                                     G   o                   (                             Q                         p                          Y             8      8                                   a   o       4      4                                  n   o                                               }                                                          B                                                           0       0                                                  0       0                                               4      4                                                4      4      |                                                      	                                                                                                                                                                                                                0      0                                                                                                                                                                                                                   (      (      @                                        h      h                                                                                                                                                                           C                              )                     \      4                                                          8                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     ELF          >    ;      @                 @ 8 
 @         @       @       @                                                                                                     &      &                    0       0       0                                                    "      "                                     H      X                                     @      @                   8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd                                        Qtd                                                  Rtd                     0      0             /lib64/ld-linux-x86-64.so.2              GNU                     GNU "R)PIP#         GNU                      ^             ^   `       ema>                                             B                     A
                                          F                                           F                                                               l                     y                                                                                    e                     9	                     '                                                                                                         &                                          j                     U                                                               e                     \                      A                                          
                     H                                          	                     `	                                                                                                                              .                     o                     
                     Z                                          +                     	                                                               s                     
                                          X
                                                                                    	                     	                                          E                                          
                                          3
                     O                                          	                     	                                          l                                          ;                     
                     K	                                                                                      
                     	                     A                     }                                          _                                            ,                                             
                                                                                                                              `  "                   b  "  R                              _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable _ZN6FileFd5WriteEPKvy _Z9strprintfRNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEPKcz _ZN12pkgAcqMethod11SendMessageERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEOSt13unordered_mapIS5_S5_St4hashIS5_ESt8equal_toIS5_ESaISt4pairIS6_S5_EEE _ZN3APT13Configuration14getCompressorsEb _ZN12pkgAcqMethodC2EPKcm _ZNK13Configuration10FindVectorEPKcRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEb _ZN12pkgAcqMethod4FailENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEb _ZN12pkgAcqMethod14DropPrivsOrDieEv _ZTI12pkgAcqMethod _ZNSt6vectorINSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEESaIS5_EE17_M_realloc_insertIJS5_EEEvN9__gnu_cxx17__normal_iteratorIPS5_S7_EEDpOT_ _ZN6Hashes3AddEPKhy _ZN12pkgAcqMethodD2Ev _ZN13Configuration11MoveSubTreeEPKcS1_ _ZN6HashesD1Ev _Z13DeQuoteStringRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _config _ZN11GlobalError5ErrorEPKcz _ZN6FileFd4ReadEPvyPy _ZN6FileFd5CloseEv _ZN6FileFdD1Ev _ZN12pkgAcqMethod3RunEb _ZN12pkgAcqMethod11FetchResult10TakeHashesER6Hashes _ZN11GlobalError6FatalEEPKcS1_z _ZNK13Configuration5FindBEPKcRKb _ZN6FileFd8FileSizeEv _ZN12pkgAcqMethod7URIDoneERNS_11FetchResultEPS0_ _ZN12pkgAcqMethod8URIStartERNS_11FetchResultE _ZN6FileFd4OpenENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEjRKN3APT13Configuration10CompressorEm _ZN12pkgAcqMethod11FetchResultD1Ev _ZN6FileFdC1Ev _ZN6HashesC1ERK14HashStringList _Z8flNotDirNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _ZN12pkgAcqMethod11FetchResultC1Ev _ZN6FileFd4OpenENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEjNS_12CompressModeEm _ZN12pkgAcqMethod13ConfigurationENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _Z12_GetErrorObjv _ZN11GlobalError5ErrnoEPKcS1_z _ZN3URI8CopyFromERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE seccomp_syscall_resolve_name seccomp_load seccomp_rule_add seccomp_init _ZTVN10__cxxabiv121__vmi_class_type_infoE _ZNKSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE7compareEPKc _ZNSt6localeD1Ev _ZSt20__throw_length_errorPKc _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_assignERKS4_ _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_appendEPKcm _ZdlPvm _ZNSt8ios_base4InitD1Ev _ZTVN10__cxxabiv117__class_type_infoE _ZSt17__throw_bad_allocv _ZTVN10__cxxabiv120__si_class_type_infoE __cxa_begin_catch __gxx_personality_v0 _ZSt28__throw_bad_array_new_lengthv _ZNKSt8__detail20_Prime_rehash_policy14_M_need_rehashEmmm _ZNSt6localeC1EPKc _Znwm _ZNSt8ios_base4InitC1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_createERmm __cxa_rethrow _ZSt11_Hash_bytesPKvmm _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE10_M_disposeEv __cxa_end_catch _ZNSt6locale6globalERKS_ _ZSt19__throw_logic_errorPKc _Unwind_Resume lstat __stack_chk_fail setenv sigaction fork dgettext strlen __cxa_atexit _exit utimes __libc_start_main execv __cxa_finalize setlocale strerror getenv memcmp memset close waitpid sigemptyset memcpy strcmp write libapt-pkg.so.6.0 libseccomp.so.2 libstdc++.so.6 libgcc_s.so.1 libc.so.6 GCC_3.0 GLIBC_2.4 GLIBC_2.33 GLIBC_2.14 GLIBC_2.34 GLIBC_2.2.5 GLIBCXX_3.4.18 CXXABI_1.3.9 GLIBCXX_3.4.29 CXXABI_1.3 GLIBCXX_3.4 GLIBCXX_3.4.21 CXXABI_1.3.5 APTPKG_6.0                                                          	   
             
                                                            P&y                `   ii
  
                 
 +        6     ui	   A                h   M     yѯ   \     y  	 i     ӯk   x     t)        q        uѯ                    N                      <                   p;                   @<                   P                    p                          8                   @                   P                   X                    `             I      h             I                   I                   J                    L                   0                                        A                   I                   I                   `K                   L                                                     M                   B           0         :          p         F                    F           x         L                    L                    .                    .                    ^                    !                    N                    U                    V                    ]                    K                    `           P                    X                    `                    h                    p                    x                                                                     	                    
                                                            
                                                                                                                                                                                                                                                                                                     (                    0                    8                    @                     H         "           P         #           X         $           `         %           h         &           p         '           x         (                    )                    *                    +                    ,                    -                    /                    0                    1                    2                    3                    4                    5                    6                    7                    8                    9                     ;                    <                    =                    >                     ?           (         @           0         A           8         C           @         D           H         E           P         G           X         H           `         I           h         J           p         O           x         P                    Q                    R                    S                    T                    W                    X                    Y                    Z                    [                    \                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           HH  HtH         5  %  @ %  h    %  h   %
  h   %  h   %  h   %  h   %  h   %  h   p%  h   `%  h	   P%  h
   @%  h   0%  h    %  h
   %  h    %  h   %  h   %  h   %  h   %  h   %z  h   %r  h   %j  h   %b  h   p%Z  h   `%R  h   P%J  h   @%B  h   0%:  h    %2  h   %*  h    %"  h   %  h    %  h!   %
  h"   %  h#   %  h$   %  h%   %  h&   %  h'   p%  h(   `%  h)   P%  h*   @%  h+   0%  h,    %  h-   %  h.    %  h/   %  h0   %  h1   %  h2   %  h3   %z  h4   %r  h5   %j  h6   %b  h7   p%Z  h8   `%R  h9   P%J  h:   @%B  h;   0%:  h<    %2  h=   %*  h>    %"  h?   %  h@   %  hA   %
  hB   %  hC   %  hD   %  hE   %  hF   %  hG   p%  hH   `%  hI   P%  hJ   @%  hK   0%  hL    %  hM   %  hN    %  hO   %  f        A7
  H HHH|$V  HHL$   L;  HLHLHL  ӄ    LH|$X  HH$  jH$  ]H$`  PH$@  CH|$X9L1HIL!HIH|$H|$Pw  LH|$HH|$f     AWAVAUATUSHx  H.dH%(   H$h  1Ll$@Ll$0H  HLd$0iHD$(HH   H   E D$@HD$(HT$0Hl$PLHHD$8 H$      H:  HHC  L-|  H$8  HǄ$X     H5  L$   D   1H"HAL$   ?  HLH$h  dH+%(     Hx  D[]A\A]A^A_H%L!LHt$(1HD$0HHD$(HD$@HHyL$   L|$pǄ$   storL$   Lt$pH$(  Ƅ$   eHD$x   Ƅ$    H;$0    HyH9I9  HAHqLAH9  HHAHAHq1LAHqA H$(  HA H$(  HAH0L)IIH[  fD  HQ H9   HAHAHQ HAHHA H   HyHHHA    H   I   HAHyH9uHQHt6H
  HLD$LL$H$"H$LD$LL$HyHQHQ HAHD$pL9  HH$   HAHA   H$(   HAHAHAHHA HIH;HD$pI9L9   IQH9
  IHD$xIQIAH$   IAH   H|$pHH$   1HT$x  H|$pL95H$   HpHyHQ
H$   LL  LHLD$HL$LL$H4$H4$LL$HL$LD$M9eHT$xHtHtaLL$L$HT$xI9IQ HD$p+IHD$xIAH$   IALt$pLQ@fGl$   I9HT$xH=  I"H5H%I5     SH  HH=q  H[Hv  	f     1I^HHPTE11H=  f.     @ H=A  H:  H9tH  Ht	        H=  H5
  H)HH?HHHtH  HtfD      =   u+UH=z   HtH=  d  ]     w    ATH)IUHSHHdH%(   HD$1H$HwBH?Hu1H$H} H] HD$dH+%(   uBH[]A\ HtH1vHE HH$HEHLLH$H} ff.     ATH)IUHSHHdH%(   HD$1H$HwBH?Hu1H$H} H] HD$dH+%(   uBH[]A\ HtH1HE HH$HEHLH$H} Mff.     fAWAVAAUATIH5Q  UHSHHxH|$HdH%(   HD$h1ru~I4$IT$Hl$@L|$PHL|$@HE   DHA  HH|$@AL9tHD$PHpHD$hdH+%(   A  HxD[]A\A]A^A_ÐH|$    H|$H\$ L|$(L9  HE LmHD$f.     HØ   I9  L9kuH;MtHt$L%uI9  I4$IT$Hl$@L|$PHL|$@HH|$HDHA  H|$@AL9tHD$PHpLl$(Hl$ I9  fD  L   H]xI9t.     H;HCH9t
HCHpGH I9uH]xHtH   HH)#LuhH]`I9t,fD  H;HCH9t
HCHpH I9uH]`HtHupHH)H}@HEPH9t
HEPHpH} HE0H9t
HE0HpH} HEH9t
HEHpHŘ   I9 Hl$ HHt$0HH)Z`HM I$H1H5  bMH]HmH]@ AWIAVAUIATUSH  HvIUL$  H$  dH%(   H$  1HLH$  H$0  LH$   HD$(H$   H$P  HD$0H$@  H$p  HD$8H$`  H$  HD$@H$  H$  H|$XHǄ$(      Ƅ$0   HǄ$H      Ƅ$P   HǄ$h      Ƅ$p   HǄ$      Ƅ$   HD$ H$  HǄ$      Ƅ$   H$  H9tH$  HpH$  H$  LH$  HH$  H$  H?H+$  H9t  LHD$hH=a  D$h H5}  HHD$@p  H$  H$  H$   H$   H|$PHH$   3H$  H9tH$  HpH$  HHl$ Me0H$  L,IHLP H$   H0HD$pH=  D$p H5}  HHD${  Ht$PI      H:  $      $     $     H$   HHD$HH5|  L   I}0IU8H$   H;$     HT$H=ٻ  D$p H5D|  X  H|$HI   &   L  $(    H$0  x  HH$0  @ H|$IuhjHǄ$      L$  fD  HL$   LHHD$h    BÄ8  HT$hHZ  H|$LH$  E$(  xHT$hH|$HL8uA  @ H$   LHHD$PP 1HH|$dH$   H$   H9tH$   HpnH$  HD$ H9tH$  HpKH$  HD$@H9tH$  Hp(H$`  HD$8H9tH$p  HpH$@  HD$0H9tH$P  HpH$   HD$(H9tH$0  HpH$  dH+%(     H  []A\A]A^A_@ H$   H$   LH$  HE      LHA  RH$  H9H$  Hp0 HpH"H5+z  H=y  HHH1_*f.     $(  x	H$0  1H|$@H|$H&E1HH|$H{EuMe0H5y  L$   L+uGLt$Ht$LUI1LLP(D  HrXD  H$   Lu$  %   =   tLL  H$  LH$   HǄ$       HǄ$       H$   H$  H$   H$  'H5x  H=x  ICH5}  LH1_f.     Iu0IU8LH$  HuH|$HA  E   L   (H$  H9H$  Hpj19H=Bw  MH5zw  H=ew  IH5nw  LH1VH[H[HKH]HHHHHHHf.     f   f.     HH`    f.     D  SH VdH%(   HD$1H\$HL$fD  HcHigfffH")4)0HHH9uѺ.   H5u     
   H޿   q      H5u  [      H5u  E      H5u  /   D  H  ATUHSHH   H   H9tH   HpL   H   I9t2f     H;HCH9t
HCHpH I9uH   HtH   HH)[H]A\@ H  ATUHSHH   H   H9tH   Hp|L   H   I9t2f     H;HCH9t
HCHpGH I9uH   HtH   HH) [H]A\@ HQ  ATUHSHH   H   H9tH   HpL   H   I9t2f     H;HCH9t
HCHpH I9uH   HtH   HH)Hx[H   ]A\g    H  ATUHSHH   H   H9tH   Hp,L   H   I9t2f     H;HCH9t
HCHpH I9uH   HtH   HH)H[H   ]A\    SHH   H   H9tH   HpH{`HCpH9t
HCpHpoH{@HCPH9t
HCPHpUH{ HC0H9t
HC0Hp;H;HCH9tHs[H![f.     @ ATIUSHoHH9t+D  H;HCH9t
HCHpH H9uI$HtIt$HH)[]A\f     []A\f.     AVAUATUHHHSHH@dH%(   HD$81Lt$Ld$ Hu HULLd$HHǃ       f       HLh Ht$H   H@HT$L   HH3H|$L   L9tHD$ Hp@ H   H  H   HU LeHHEL9   H   HUH   Le L-p  HE    LH   Hǃ       E Hl$HIHLL"HHD$8dH+%(   u0H@[]A\A]A^D  HHzLsHEi%HHHWIGH2-H   H   H)HtLHH
HrLL   -9HHH   H   Qf.     D  AVAUIATUSLgH/I9  D  L   H]xI9t&H;HCH9t
HCHpH I9uH]xHtH   HH)LuhH]`I9t,fD  H;HCH9t
HCHpH I9uH]`HtHupHH)H}@HEPH9t
HEPHp|H} HE0H9t
HE0HpbH} HEH9t
HEHpHHŘ   I9Im HtIu[HH)]A\A]A^[]A\A]A^f.     D  AWAVAUATUHHSH8LwL?LL)HH9W  M9   IIHEIHM)H  H  HD$        E1MHE HuLUIyI9H9  IHEIAMQHu HE    E M9tI_MHL#    HU HHUH HEH I9tDH}HCH} HSH9uHHtHLD$LL$DHCLL$LD$@ LL)I\ M9t`M)IhN3 HHE HCLsH H L9t<HEH{LuH;H9uLHtHLD$LD$ ID  MtIt$LLD$L)>LD$HD$M,$MD$ID$H8[]A\A]A^A_    HHLD$LL$LL$LD$IHHD$I] ND  LHfLD$(LT$ LL$Ht$
Ht$LL$LT$ LD$(4HH9HGHHnH=l       ATIUSHoHtMHHm H{(HC8H9t
HC8Hp/H{HCH9t
HCHpP   HHuID$I<$1H    kID$    ID$    []A\@ SH_HtFH{(HC8H9t
HC8HpH{HCH9t
HCHpH߾P   [@ [f.     @ AWAVAUATUSHHL$MtZI$IHIIHKH H3HtXHNH1IHHuI9uCHL9uIWH;SuHtHsI?0uHL[]A\A]A^A_f.     E1f.     AUATUHSHHH   HIH<   L,    LvL1HILU0HuHE    E1LMHt,H1H6HAHHIH8Ht?HHH HHuH} HuL9t	H(H]Le H[]A\A]D  H}H9HMLH9 tKI Lg0HG0    MZ@ H=tHI$HE(HH AUIATIUHLSHH HHWHwdH%(   HD$HGH$uLH3LeHJHHtYH HE HH(HCHD$dH+%(   ucHH[]A\A]f     HHH2L1HsI@ HCHE HkHE HtH@H1HsH,HCHf.     D  AWAVAUIATUHSH   L P   dH%(   H$   1Ld$@Lt$pHD$H   Lt$@HD$P    HD$X    D$`  ?HD$h    HD$p    Ld$0M  H     HHxH@HCHh  HrH|$ HD$vHC8IWH{(HC(IwHD$(HH|$XH{H\$8HK\  L|$PMuM  D  M?M<  I9OuIwHt HHL$H|$H|$HL$uH{(H9|$(t
HC8HpUH{H9|$t
HCHp=P   H0I}X   P   Ld$0LxH     HxHLxHg  HrH|$ kHC8IuPIUXH{(HC(HHD$(H|$XH{H\$8LC  HL$PHu  fH	H  L9AuHL$HqMt%LLD$H|$H|$LD$HL$uH{(H9|$(t
HC8HpCH{I9t
HCHp-P   H P   Ld$0LxH     HxHLxHf  HrH|$ fHC8HMLEHD$HC(HE H9  HC(HEHC8H|$XHM LC0H{HE    HKE H\$8  Hl$PHu  @ Hm Hs  H;MuHuHt HHL$H|$zH|$HL$uH{(H9|$t
HC8Hp$H{I9t
HCHpP   HH$   He  H$   HrHH$   VLHLH$   H9tH$   HpLBH|$@Ht$HL9t	HH$   dH+%(     Hĸ   []A\A]A^A_ÐiH1IHt$HH|$XHv)HT$ LLHt$Ht$Ht
H8 A   HLLa@ iH+1HHt$HH|$XHv)HT$ HLHt$QHt$Ht
H8 qA   HHL@ kLxH     HxHLxHc  HrH|$ HC8Hc  HC(H{(HrHD$(H|$XH{H\$8LC.  HL$PHu      H	H  L;AuHL$HqMt%LLD$H|$H|$LD$HL$uH{(H9|$(t
HC8HpH{I9\diL1IHt$HH|$XHv3HT$ LLLL$Ht$Ht$LL$Ht
H8 A   HLLfLHkH|$HLD$HL$lHL$LD$ED  iL+1IHt$HH|$XHv3HT$ LLLL$Ht$LHt$LL$Ht
H8 A   HLLZH   HH$H|$ HoP   HR-XP   H;HH-wLH|$@Ht$HL9t	HH_JHH|$0HHHHH|$ HP   HHHH$H|$ HP   H~YHH@HH$f.     AWAVAUATUSH   dH%(   H$   1H    u2   H$   dH+%(   "  H   []A\A]A^A_@ ILt$D$ H=Ԟ  LH5q`  t$Å+  1L9     HH  L|$@HL$0E1LH5q  Hg`  H$L|$L|$0HD$8    D$@ H|$0L9tHD$@Hp)Hl$L|$I9trf.     H} 71ɾ   H1Aą  H I9uLd$Hl$I9t)H} HEH9t
HEHpH I9uHl$HtHt$ HH)1ɺ     H1Ņ0W  1ɺ     H1}ŅV  1ɺ     H1]ŅQW  1ɺZ     H1=ŅO3  1ɺ\     H1ŅU  1ɺ  H1ŅU  1ɺ     H1ŅU  1ɺ  H1Ņ-  1ɺ     H1Ņ>  1ɺ  H1}ŅF  1ɺ     H1]Ņ  1ɺ  H1=Ņ  1ɺ     H1Ņ  1ɺU     H1Ņ  1ɺ      H1Ņ\  1ɺ!     H1Ņd  1ɺ$    H1Ņ  1ɺ<     H1}Ņ  1ɺ     H1]Ņ7  1ɺ
    H1=Ņ?  1ɺ[     H1Ņ  1ɺ    H1Ņ  1ɺ]     H1Ņ  1ɺ  H1Ņ	  1ɺ    H1ŅM  1ɺH     H1}ŅM  1ɺ  H1]ŅM  1ɺK     H1=Ņq2  1ɺI     H1ŅK  1ɺ     H1ŅjK  1ɺ  H1ŅL  1ɺ  H1ŅA,  1ɺ     H1ŅHJ  1ɺ  H1}ŅI  1ɺJ     H1]ŅiJ  1ɺ  H1=Ņ.  1ɺM     H1ŅH  1ɺ  H1Ņ0H  1ɺ     H1ŅH  1ɺ  H1Ņi(  1ɺ    H1ŅG  1ɺl     H1}ŅF  1ɺ  H1]Ņ/G  1ɺk     H1=Ņ/  1ɺ  H1ŅqE  1ɺh     H1ŅD  1ɺ  H1ŅE  1ɺs     H1Ņ(  1ɺ  H1ŅC  1ɺ4     H1}ŅYC  1ɺy     H1]ŅC  1ɺo     H1=Ņ-+  1ɺ'     H1Ņ7B  1ɺn     H1ŅA  1ɺ>    H1ŅXB  1ɺx     H1Ņ$  1ɺ  H1Ņ@  1ɺv     H1}Ņ@  1ɺ  H1]Ņ@  1ɺa     H1=Ņ.  1ɺ    H1Ņ>  1ɺb     H1Ņ>  1ɺ     H1Ņ?  1ɺ`     H1Ņ(  1ɺf     H1Ņ`=  1ɺ  H1}Ņ<  1ɺ     H1]Ņ=  1ɺ^     H1=Ņ*  1ɺ  H1Ņ;  1ɺ  H1ŅH;  1ɺ     H1Ņ;  1ɺ     H1Ņ$  1ɺ  H1Ņ&:  1ɺ     H1}Ņ9  1ɺ	     H1]ŅG:  1ɺ  H1=Ņ`+  1ɺ
     H1Ņ8  1ɺ     H1Ņ8  1ɺ     H1Ņ8  1ɺ     H1Ņ0%  1ɺ#     H1Ņ6  1ɺ    H1}Ņq6  1ɺ  H1]Ņ
7  1ɺ  H1=Ņ'  1ɺ  H1ŅO5  1ɺ  H1Ņ4  1ɺ  H1Ņp5  1ɺ  H1ŅX!  1ɺ     H1Ņ3  1ɺ    H1}Ņ73  1ɺ     H1]Ņ3  1ɺ%    H1=Ņ*  1ɺ     H1Ņ2  1ɺ    H1Ņ1  1ɺ
  H1Ņ62  1ɺ     H1Ņ#  1ɺ.    H1Ņx0  1ɺ    H1}Ņ/  1ɺ	  H1]Ņ0  11Ҿ  H1@ŅA&  1ɺ     H1 Ņ.  1ɺR     H1 Ņc.  1ɺ    H1Ņ.  1ɺ<    H1Ņ   1ɺ     H1ŅA-  1ɺ
     H1Ņ,  1ɺ     H1`Ņb-  1ɺ     H1@Ņ&  1ɺ     H1 Ņ+  1ɺ     H1 Ņ)+  1ɺ     H1Ņ+  1ɺ     H1Ņ}   1ɺ     H1Ņ*  1ɺ     H1Ņ)  1ɺ    H1`Ņ(*  1ɺ  H1@Ņ"  1ɺ  H1 Ņj(  1ɺ  H1 Ņ'  1ɺ  H1Ņ(  1ɺ  H1Ņ  1ɺ     H1Ņ  1ɺ  H1Ņ  1ɺ     H1`Ņ  1ɺ  H1@Ņi  1ɺL    H1 Ņf  1ɺ     H1 Ņ  1ɺ  H1Ņ  1ɺc     H1Ņ}  1ɺ     H1Ņ$  1ɺL     H1Ņ  1ɺ  H1`Ņ  1ɺ  H1@Ņ  1ɺ_     H1 Ņ  1ɺ?     H1 Ņ  1ɺW     H1ŅA  1ɺ    H1Ņ  1ɺ     H1Ņ  1ɺ    H1Ņp  1ɺ   H1`ŅM  1ɺ     H1@ŅX  1ɺ     H1 Ņ  1ɺ     H1 Ņ
  I   _  t`1ɺ  H1ͿŅ
  1ɺN     H1譿Ņ9  1ɺ     H1荿Ņ3  H=R  臾H   1ɺA     H1XŅ  1ɺ@     H18Ņ  1ɺE     H1Ņ  1ɺF     H1Ņ2  1ɺD     H1ؾŅA  1ɺG     H1踾Ņ
  1ɺ  H1蘾Ņ  L|$H$E1LH5`  HQ  D$@ L|$0HD$8    ٺH|$0L9tHD$@Hp!Hl$L|$I9tjfH} 71ɾ  H1Aą  H I9uLd$Hl$I9t)H} HEH9t
HEHp趼H I9uHl$HtHt$ HH)蓼H;ÃH    H=y  LD$H5Q  ]CH<$1   HH|$8荼H4$1ҿ   HǄ$      HD$0vD$ԃ	hH\$01L|$@LHH$L|$0HD$'   EHT$HLfoRQ  HD$0H seccompHT$@ foCQ  @HHHT$8 H|$0L9mHD$@HpqZ@ 1ɺ1     H1rŅ?  1ɺ*     H1RŅP?  1ɺ3     H12Ņ?  1ɺ7     H1Ņ  1ɺ  H1Ņ.>  1ɺ-     H1һŅ=  1ɺ+    H1費ŅO>  1ɺ  H1蒻Ņ`  1ɺ/     H1rŅ<  1ɺ  H1RŅ<  1ɺ3    H12Ņ<  1ɺ.     H1Ņ  1ɺ,     H1Ņ:  1ɺ6     H1ҺŅy:  1ɺ0     H1貺Ņ;  1ɺ)     H1蒺Ņ  1ɺ  H1rŅ  I   u@ H\$   D$@ HD$8    H\$0ֶL<$H5M  H1L޷LLCH|$0H9mHD$@Hp׸ZݷDH耶HM HG  HIH53M  1AHl$H\$H9t)H;HSH9t$HCHpv$H H9uH|$HNHt$ $H)K$5MDHHM HFG  HIH5G  1豸Hl$H\$H9tH;HSH9t$HCHp$H H9ukڶHH$   dH+%(     H   HyF  H5F  1[]A\A]A^A_*蕶H9IH$   dH+%(     H   H1[H
ZG  HF  ]H5'F  A\A]A^A_Ϸ:H޴IH$   dH+%(   W  H   H1[H
F  H$F  ]H5E  A\A]A^A_tߵH胴IH$   dH+%(     H   H1[H
F  HE  ]H5qE  A\A]A^A_脵H(IH$   dH+%(     H   H1[H
E  HnE  ]H5E  A\A]A^A_龶)HͳIH$   dH+%(   (  H   H1[H
E  HE  ]H5D  A\A]A^A_cδHrIH$   dH+%(     H   H1[H
NE  HD  ]H5`D  A\A]A^A_sHIH$   dH+%(     H   H1[H
E  H]D  ]H5D  A\A]A^A_魵H輲IH$   dH+%(   S  H   H1[H
[D  HD  ]H5C  A\A]A^A_R轳HaIH$   dH+%(     H   H1[H
{D  HC  ]H5OC  A\A]A^A_bHIH$   dH+%(     H   H1[H
C  HLC  ]H5B  A\A]A^A_霴H諱IH$   dH+%(     H   H1[H
C  HB  ]H5B  A\A]A^A_A謲HPIH$   dH+%(     H   H1[H
B  HB  ]H5>B  A\A]A^A_QHIH$   dH+%(   U  H   H1[H
B  H;B  ]H5A  A\A]A^A_鋳H蚰IH$   dH+%(   "  H   H1[H
pB  HA  ]H5A  A\A]A^A_0蛱H?IH$   dH+%(      H   H1[H
*B  HA  ]H5-A  A\A]A^A_ղ@HIH$   dH+%(      H   H1[H
uA  H*A  ]H5@  A\A]A^A_zܱױұͱȱñ辱蹱贱诱誱襱萰H4IH$   dH+%(     H   H1[H
`E  Hz@  ]H5"@  A\A]A^A_ʱ5HٮIH$   dH+%(     H   H1[H
hD  H@  ]H5?  A\A]A^A_oگH~IH$   dH+%(     H   H1[H
C  H?  ]H5l?  A\A]A^A_H#IH$   dH+%(     H   H1[H
D  Hi?  ]H5?  A\A]A^A_鹰$HȭIH$   dH+%(   \	  H   H1[H
 C  H?  ]H5>  A\A]A^A_^ɮHmIH$   dH+%(   7  H   H1[H
B  H>  ]H5[>  A\A]A^A_nHIH$   dH+%(     H   H1[H
RB  HX>  ]H5 >  A\A]A^A_騯H跬IH$   dH+%(     H   H1[H
C  H=  ]H5=  A\A]A^A_M踭H\IH$   dH+%(   [  H   H1[H
>  H=  ]H5J=  A\A]A^A_]HIH$   dH+%(   j  H   H1[H
A  HG=  ]H5<  A\A]A^A_问H覫IH$   dH+%(     H   H1[H
?  H<  ]H5<  A\A]A^A_<觬HKIH$   dH+%(   8  H   H1[H
A  H<  ]H59<  A\A]A^A_LHIH$   dH+%(     H   H1[H
6=  H6<  ]H5;  A\A]A^A_醭H蕪IH$   dH+%(     H   H1[H
?  H;  ]H5;  A\A]A^A_+薫H:IH$   dH+%(   m  H   H1[H
<  H;  ]H5(;  A\A]A^A_Ь;HߩIH$   dH+%(     H   H1[H
@  H%;  ]H5:  A\A]A^A_uH脩IH$   dH+%(     H   H1[H
;  H:  ]H5r:  A\A]A^A_蕫耪H$IH$   dH+%(   u5H   H1[H
y>  Hn:  ]H5:  A\A]A^A_龫94HèIH$   dH+%(   u5H   H1[H
>  H
:  ]H59  A\A]A^A_]تӪ辩HbIH$   dH+%(   u5H   H1[H
:  H9  ]H5T9  A\A]A^A_wr]HIH$   dH+%(   u5H   H1[H
:  HK9  ]H58  A\A]A^A_雪H蠧IH$   dH+%(   u5H   H1[H
M<  H8  ]H58  A\A]A^A_:赩谩蛨H?IH$   dH+%(   u5H   H1[H
u<  H8  ]H518  A\A]A^A_٩TO:HަIH$   dH+%(   u5H   H1[H
F9  H(8  ]H57  A\A]A^A_x٧H}IH$   dH+%(   u5H   H1[H
;6  H7  ]H5o7  A\A]A^A_蒨荨xHIH$   dH+%(   u5H   H1[H
<  Hf7  ]H57  A\A]A^A_鶨1,H軥IH$   dH+%(   u5H   H1[H
<  H7  ]H56  A\A]A^A_UЧ˧趦HZIH$   dH+%(   u5H   H1[H
;  H6  ]H5L6  A\A]A^A_ojUHIH$   dH+%(   u5H   H1[H
1;  HC6  ]H55  A\A]A^A_铧	H蘤IH$   dH+%(   u5H   H1[H

:  H5  ]H55  A\A]A^A_2警訦蓥H7IH$   dH+%(   u5H   H1[H
9  H5  ]H5)5  A\A]A^A_ѦLGB=1         H54  H=4  ڦfob;  Ht$0H-helper H$   H$   1H|$0HD$8)$   j   諤ۉHOHH$   dH+%(     H   HHl:  1[H59  ]A\A]A^A_WHIH$   dH+%(   M  H   H1[H
9  HA4  ]H53  A\A]A^A_鑥H蠢IH$   dH+%(     H   H1[H
7  H3  ]H53  A\A]A^A_6衣HEIH$   dH+%(     H   H1[H
x5  H3  ]H533  A\A]A^A_ۤFHIH$   dH+%(   %  H   H1[H
6  H03  ]H52  A\A]A^A_逤H菡IH$   dH+%(   U  H   H1[H
7  H2  ]H5}2  A\A]A^A_%萢H4IH$   dH+%(      H   H1[H
5  Hz2  ]H5"2  A\A]A^A_ʣ5H٠IH$   dH+%(     H   H1[H
v3  H2  ]H51  A\A]A^A_oڡH~IH$   dH+%(   (  H   H1[H
4  H1  ]H5l1  A\A]A^A_H#IH$   dH+%(     H   H1[H
1  Hi1  ]H51  A\A]A^A_鹢$HȟIH$   dH+%(   $  H   H1[H
4  H1  ]H50  A\A]A^A_^ɠHmIH$   dH+%(     H   H1[H
U2  H0  ]H5[0  A\A]A^A_nHIH$   dH+%(   V%  H   H1[H
2  HX0  ]H5 0  A\A]A^A_騡H跞IH$   dH+%(     H   H1[H
4  H/  ]H5/  A\A]A^A_M踟H\IH$   dH+%(   ,   H   H1[H
/  H/  ]H5J/  A\A]A^A_]HIH$   dH+%(     H   H1[H
Z0  HG/  ]H5.  A\A]A^A_闠H覝IH$   dH+%(   K'  H   H1[H
&1  H.  ]H5.  A\A]A^A_<觞HKIH$   dH+%(     H   H1[H
3  H.  ]H59.  A\A]A^A_LHIH$   dH+%(   /  H   H1[H
1  H6.  ]H5-  A\A]A^A_醟H蕜IH$   dH+%(     H   H1[H
/  H-  ]H5-  A\A]A^A_+薝H:IH$   dH+%(   a!  H   H1[H
C0  H-  ]H5(-  A\A]A^A_О;HߛIH$   dH+%(   
  H   H1[H
1  H%-  ]H5,  A\A]A^A_uH脛IH$   dH+%(   7  H   H1[H
 0  H,  ]H5r,  A\A]A^A_腜H)IH$   dH+%(     H   H1[H
-  Ho,  ]H5,  A\A]A^A_鿝*HΚIH$   dH+%(   i$  H   H1[H
q.  H,  ]H5+  A\A]A^A_dϛHsIH$   dH+%(     H   H1[H
~,  H+  ]H5a+  A\A]A^A_	tHIH$   dH+%(     H   H1[H
.  H^+  ]H5+  A\A]A^A_鮜H轙IH$   dH+%(   N  H   H1[H
,  H+  ]H5*  A\A]A^A_S辚HbIH$   dH+%(      H   H1[H
2-  H*  ]H5P*  A\A]A^A_cHIH$   dH+%(   $
  H   H1[H
.  HM*  ]H5)  A\A]A^A_靛H謘IH$   dH+%(     H   H1[H
,  H)  ]H5)  A\A]A^A_B譙HQIH$   dH+%(   V  H   H1[H
*  H)  ]H5?)  A\A]A^A_RHIH$   dH+%(   !  H   H1[H
7-  H<)  ]H5(  A\A]A^A_錚H薗IH$   dH+%(      H   H1[H
e,  H(  ]H5(  A\A]A^A_,藘H;IH$   dH+%(   u5H   H1[H
 ,  H(  ]H5-(  A\A]A^A_ՙPK6HږIH$   dH+%(   u5H   H1[H
+  H$(  ]H5'  A\A]A^A_t՗HyIH$   dH+%(      H   H1[H
{*  H'  ]H5g'  A\A]A^A_zHIH$   dH+%(   u5H   H1[H
8+  Hh'  ]H5'  A\A]A^A_鸘3.H轕IH$   dH+%(   u5H   H1[H
*  H'  ]H5&  A\A]A^A_Wҗ͗踖H\IH$   dH+%(      H   H1[H
G*  H&  ]H5J&  A\A]A^A_]HIH$   dH+%(   u5H   H1[H
)  HK&  ]H5%  A\A]A^A_雗H蠔IH$   dH+%(   u5H   H1[H
)  H%  ]H5%  A\A]A^A_:赖谖蛕H?IH$   dH+%(      H   H1[H
(  H%  ]H5-%  A\A]A^A_Ֆ@HIH$   dH+%(   u5H   H1[H
(  H.%  ]H5$  A\A]A^A_~ߔH胓IH$   dH+%(   u5H   H1[H
E(  H$  ]H5u$  A\A]A^A_蘕蓕~H"IH$   dH+%(      H   H1[H
'  Hh$  ]H5$  A\A]A^A_鸕#HǒIH$   dH+%(   u5H   H1[H
L'  H$  ]H5#  A\A]A^A_aܔהHfIH$   dH+%(   u5H   H1[H
&  H#  ]H5X#  A\A]A^A_ {vaHIH$   dH+%(      H   H1[H
h&  HK#  ]H5"  A\A]A^A_雔H誑IH$   dH+%(   u5H   H1[H
&  H"  ]H5"  A\A]A^A_D迓躓襒HIIH$   dH+%(   u5H   H1[H
%  H"  ]H5;"  A\A]A^A_^YDHIH$   dH+%(      H   H1[H
.%  H."  ]H5!  A\A]A^A_~H荐IH$   dH+%(   u5H   H1[H
$  H!  ]H5!  A\A]A^A_'袒蝒舑H,IH$   dH+%(   u5H   H1[H
|$  Hv!  ]H5!  A\A]A^A_ƒA<'HˏIH$   dH+%(      H   H1[H
#  H!  ]H5   A\A]A^A_a̐HpIH$   dH+%(   u5H   H1[H
#  H   ]H5b   A\A]A^A_
腑耑kHIH$   dH+%(   u5H   H1[H
N#  HY   ]H5   A\A]A^A_驑$
H讎IH$   dH+%(      H   H1[H
"  H  ]H5  A\A]A^A_D诏HSIH$   dH+%(   u5H   H1[H
i"  H  ]H5E  A\A]A^A_hcNHIH$   dH+%(   u5H   H1[H
"  H<  ]H5  A\A]A^A_錐H葍IH$   dH+%(      H   H1[H
!  H  ]H5  A\A]A^A_'蒎H6IH$   dH+%(   u5H   H1[H
  H  ]H5(  A\A]A^A_ЏKF1HՌIH$   dH+%(   u5H   H1[H
   H  ]H5  A\A]A^A_oЍHtIH$   dH+%(      H   H1[H
S   H  ]H5b  A\A]A^A_
uHIH$   dH+%(   u5H   H1[H
  Hc  ]H5  A\A]A^A_鳎.)H踋IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_R͍ȍ賌HWIH$   dH+%(      H   H1[H
  H  ]H5E  A\A]A^A_XHIH$   dH+%(   u5H   H1[H
  HF  ]H5  A\A]A^A_閍H蛊IH$   dH+%(   u5H   H1[H
j  H  ]H5  A\A]A^A_5谌諌薋H:IH$   dH+%(      H   H1[H
  H  ]H5(  A\A]A^A_Ќ;H߉IH$   dH+%(   u5H   H1[H
  H)  ]H5  A\A]A^A_yڊH~IH$   dH+%(   u5H   H1[H
7  H  ]H5p  A\A]A^A_蓋莋yHIH$   dH+%(      H   H1[H
  Hc  ]H5  A\A]A^A_鳋HIH$   dH+%(   u5H   H1[H
S  H  ]H5  A\A]A^A_\׊Ҋ轉HaIH$   dH+%(   u5H   H1[H
  H  ]H5S  A\A]A^A_vq\H IH$   dH+%(      H   H1[H
o  HF  ]H5  A\A]A^A_閊H襇IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_?躉赉蠈HDIH$   dH+%(   u5H   H1[H
  H  ]H56  A\A]A^A_މYT?HIH$   dH+%(      H   H1[H
,  H)  ]H5  A\A]A^A_yH舆IH$   dH+%(   u5H   H1[H
  H  ]H5z  A\A]A^A_"蝈蘈胇H'IH$   dH+%(   u5H   H1[H
~  Hq  ]H5  A\A]A^A_<7"HƅIH$   dH+%(      H   H1[H
  H  ]H5  A\A]A^A_\ǆHkIH$   dH+%(   u5H   H1[H
  H  ]H5]  A\A]A^A_耇{fH
IH$   dH+%(   u5H   H1[H
7  HT  ]H5  A\A]A^A_餇H詄IH$   dH+%(      H   H1[H
  H  ]H5  A\A]A^A_?誅HNIH$   dH+%(   u5H   H1[H
D  H  ]H5@  A\A]A^A_c^IHIH$   dH+%(   u5H   H1[H
  H7  ]H5  A\A]A^A_釆H范IH$   dH+%(      H   H1[H
d  H  ]H5z  A\A]A^A_"荄H1IH$   dH+%(   u5H   H1[H
  H{  ]H5#  A\A]A^A_˅FA,HЂIH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_j˃HoIH$   dH+%(      H   H1[H
#  H  ]H5]  A\A]A^A_pHIH$   dH+%(   u5H   H1[H
  H^  ]H5  A\A]A^A_鮄)$H賁IH$   dH+%(   u5H   H1[H
s  H  ]H5  A\A]A^A_MȃÃ讂HRIH$   dH+%(      H   H1[H
  H  ]H5@  A\A]A^A_SHIH$   dH+%(   u5H   H1[H
|  HA  ]H5  A\A]A^A_鑃H薀IH$   dH+%(   u5H   H1[H
1  H  ]H5  A\A]A^A_0諂覂葁H5IH$   dH+%(      H   H1[H
  H{  ]H5#  A\A]A^A_˂6HIH$   dH+%(   u5H   H1[H
A  H$  ]H5  A\A]A^A_tՀHyIH$   dH+%(   u5H   H1[H
  H  ]H5k  A\A]A^A_莁艁tHIH$   dH+%(      H   H1[H
$  H^  ]H5  A\A]A^A_鮁H~IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_WҀ̀H\~IH$   dH+%(   u5H   H1[H
  H  ]H5N  A\A]A^A_qlWH}IH$   dH+%(      H   H1[H
.  HA  ]H5  A\A]A^A_鑀~H}IH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_:~H?}IH$   dH+%(   u5H   H1[H
|  H  ]H51  A\A]A^A_TO:~H|IH$   dH+%(      H   H1[H
  H$  ]H5
  A\A]A^A_t}H|IH$   dH+%(   u5H   H1[H
  H
  ]H5u
  A\A]A^A_~~~}H"|IH$   dH+%(   u5H   H1[H
7  Hl
  ]H5
  A\A]A^A_~7~2~}H{IH$   dH+%(      H   H1[H
  H
  ]H5  A\A]A^A_W~|Hf{IH$   dH+%(   u5H   H1[H
K  H  ]H5X  A\A]A^A_ ~{}v}a|H{IH$   dH+%(   u5H   H1[H
  HO  ]H5  A\A]A^A_}}} |HzIH$   dH+%(      H   H1[H
c  H  ]H5  A\A]A^A_:}{HIzIH$   dH+%(   u5H   H1[H
  H  ]H5;  A\A]A^A_|^|Y|D{HyIH$   dH+%(   u5H   H1[H
  H2  ]H5
  A\A]A^A_|{{zHyIH$   dH+%(      H   H1[H
"  H
  ]H5u
  A\A]A^A_|zH,yIH$   dH+%(   u5H   H1[H
  Hv
  ]H5
  A\A]A^A_{A{<{'zHxIH$   dH+%(   u5H   H1[H
r  H
  ]H5	  A\A]A^A_e{zzyHjxIH$   dH+%(      H   H1[H
  H	  ]H5X	  A\A]A^A_ {kyHxIH$   dH+%(   u5H   H1[H
.
  HY	  ]H5	  A\A]A^A_z$zz
yHwIH$   dH+%(   u5H   H1[H
"	  H  ]H5  A\A]A^A_HzyyxHMwIH$   dH+%(      H   H1[H
  H  ]H5;  A\A]A^A_yNxHvIH$   dH+%(   u5H   H1[H
<  H<  ]H5  A\A]A^A_yyywHvIH$   dH+%(   u5H   H1[H
  H  ]H5  A\A]A^A_+yxxxxHHLUHyH<$xHyHHH<$yxHyLHyHHH<$NxHfyH<$=xHUyD  AVAUATUHSHPHVdH%(   HD$H1HLl$ Ld$0LLd$ HH݁LHwH|$ L9tHD$0Hpwu$HD$HdH+%(     HP[]A\A]A^ÐH  LLd$ HrȀH   H?H+D$(H   H9   LtLl$LpHL,$HH@L9t~H$HSHT$L3C H|$ HD$HC    L9tHD$0HpvH4$H=C  1tH{vHcH<$L9HD$HpvHPHH{LLuHCgsvH=  tHHHsvHwLcvH{w   HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     
 **** Seccomp prevented execution of syscall   on architecture  amd64  ****
 store 1.2 basic_string::append Acquire::Send-URI-Encoded Method::Compress apt /dev/null Failed to stat    Extraction of file %s requires unknown compressor %s    basic_string: construction from null is not valid       Empty files can't be valid archives     Failed to set modification time vector::_M_realloc_insert URI <UNKNOWN> UsedMirror Message 104 Warning APT::Sandbox::Seccomp meow QEMU_VERSION Cannot init seccomp HttpMethod::Configuration APT::Sandbox::Seccomp::Trap Cannot trap %s: %s access Cannot allow %s: %s arch_prctl brk clock_getres clock_getres_time64 clock_gettime clock_gettime64 clock_nanosleep clock_nanosleep_time64 close creat dup dup2 dup3 exit exit_group faccessat fchmod fchmodat fchown fchown32 fchownat fcntl fcntl64 fdatasync flock fstat64 fstatat64 fstatfs fstatfs64 fsync ftime ftruncate ftruncate64 futex futex_time64 futimesat getegid getegid32 geteuid geteuid32 getgid getgid32 getgroups getgroups32 getpeername getpgid getpgrp getpid getppid getrandom getresgid getresgid32 getresuid getresuid32 get_robust_list getrusage gettid gettimeofday getuid getuid32 ioctl lchown lchown32 _llseek lstat64 madvise mmap mmap2 mprotect mremap msync munmap newfstatat _newselect oldfstat oldlstat oldolduname oldstat open openat pipe pipe2 ppoll ppoll_time64 prlimit64 pselect6 pselect6_time64 read readv rename renameat renameat2 restart_syscall rt_sigaction rt_sigpending rt_sigprocmask rt_sigqueueinfo rt_sigreturn rt_sigsuspend rt_sigtimedwait sched_yield set_robust_list statx sysinfo ugetrlimit umask unlink unlinkat utime utimensat utimensat_time64 utimes write writev bind connect getsockname getsockopt recv recvfrom recvmmsg recvmmsg_time64 recvmsg send sendmmsg sendmsg sendto setsockopt shutdown socket socketcall readdir getdents getdents64 FAKED_MODE semop semget msgsnd msgrcv msgget msgctl ipc APT::Sandbox::Seccomp::Allow aptMethod::Configuration APT::Sandbox::Seccomp::Print        aptMethod::Configuration: could not load seccomp policy: %s     could not load seccomp policy: %s Binary::              26aptConfigWrapperForMethods    9aptMethod      11StoreMethod   /usr/lib/apt/aptRunning in qemu-user, not using ;  !   `g`  pl  lp  l4  l  m  r  r0  s  t,  0u   @x8          0   `    @      @0       P  X        0  l    `             zR x      q"                  zR x  $      e   FJw ?;*3$"       D   j              \   X          p   T	             P       0      q    BGD G0L
 AABD           AD0   0      Lr    BGD G0L
 AABD (         IAD DB  (   H      IAD DB  (   t      IAD IB  (         IAD IB           A
JA4     e    BDA H
ABNAAB         zPLR x3    D   $    A  c  BBB A(J0GpR
0A(A BBBFL     (A   BBE A(A0
(G BBBEA(A BBB   L      q    BBE B(K0D8G
8D0A(B BBBB      h2     H   P     BBB B(A0N8Dp
8A0A(B BBBHP   |  h  s  BBB B(A0A8G
8D0A(B BBBA         vg@   E  (         BDA AB     @  R    AF
IAH   `  4    BBB B(A0A8D@j
8D0A(B BBBK <     -    BBA D(G0
(A ABBF 8     x    BED G(K@`
(D ABBJ P     ,e  3  BBB E(A0D8G-
8A0A(B BBBB   X  \  HKZ  o  BBB B(A0A8G@
8A0A(B BBBE7
8Q0A(B BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBE
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEs
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBEx
8F0O(I BBBE
8M0H(B BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEr
8F0O(I BBBEw
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE|
8F0O(I BBBEn
8F0O(I BBBEx
8F0O(I BBBE     ['    AZ   P      a  O  BEB E(A0A8G(X
8C0A(B BBBE       (  ^U   p  (D   L    T  BBB A(D0Du
0C(A BBBB    912  J j           `  y        "	 	 	   	 	  &    5             	 
 
 

             T~6    &  * *ɳ +  - -  2γ 21ɳ 31 4  qP     B  ! n k O    6     / "S  %>  I                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          <      p;      @<              P              p                                                                                 I      I                              I      J       L              0              A      I                              I      `K      L                                                                               0      
                                                                   o                                    
                                                 8                                        p                                	                            o          o    x      o           o          o                                                                                                                                 60      F0      V0      f0      v0      0      0      0      0      0      0      0      0      1      1      &1      61      F1      V1      f1      v1      1      1      1      1      1      1      1      1      2      2      &2      62      F2      V2      f2      v2      2      2      2      2      2      2      2      2      3      3      &3      63      F3      V3      f3      v3      3      3      3      3      3      3      3      3      4      4      &4      64      F4      V4      f4      v4      4      4      4      4      4      4      4      4      5      5      &5                                                                            /usr/lib/debug/.dwz/x86_64-linux-gnu/apt.debug g;Q! d62252c29afee1b329aa5011d0c4495088ca23.debug     .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .gcc_except_table .init_array .fini_array .data.rel.ro .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                     8      8                                     &             X      X      $                              9             |      |                                     G   o                   0                             Q                         	                          Y                                                      a   o                                               n   o       x      x                                  }                                                          B       p      p                                              0       0                                                  0       0                                               05      05                                                @5      @5                                                            	                                                                                                                                                                                                                           B                                                                                                                                                                                                                       @                                        8      8                                                                                                                                                                           C                              )                     \      4                                                          8                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     ELF          >    0.      @       Q          @ 8 
 @         @       @       @                                                                                                                                                      ]      ]                    @       @       @                               K      [      [                               K      [      [      @      @                   8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd   C      C      C      l       l              Qtd                                                  Rtd   K      [      [      p      p             /lib64/ld-linux-x86-64.so.2              GNU                     GNU {P>*\!(XdWP         GNU                      A           ! A   C   D   em%mCC                                                                                                                                     d                                           g                                          <                                           (                                          +                                          3                                                                                    [                                                                                    H                     m                     C                                                                                    e                     h                                          "                     C                                                                                                                                                                        Y                     m                                          @                     F                                                                                     U                     .                     )                                                                                                            #                                                                 ,                                                                                                           s  "                       `a            \    Pa                 @`             _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable _Z16ParseCommandLineR11CommandLine7APT_CMDPKP13ConfigurationPP9pkgSystemiPPKcPFbS0_EPFSt6vectorI19aptDispatchWithHelpSaISF_EEvE _Z8ExecForkv _ZN6FileFd5WriteEPKvy _ZNK11CommandLine8FileSizeEv _Z8ExecWaitiPKcb _Z14DropPrivilegesv _ZN11CommandLineD1Ev _ZN13Configuration3SetEPKcRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _ZN11CommandLineC1Ev _Z6WaitFdibm _ZNK13Configuration4FindB5cxx11EPKcS1_ _ZN11GlobalError10DumpErrorsERSoRKNS_7MsgTypeERKb _ZN13Configuration5ClearERKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE _config _ZN4EDSP10WriteErrorEPKcRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEER6FileFd _ZN6FileFd4ReadEPvyPy _ZN6FileFd5CloseEv _Z8ioprintfRSoPKcz _ZN11GlobalError13RevertToStackEv _ZN6FileFdD1Ev _ZN6FileFd14OpenDescriptorEijNS_12CompressModeEb _ZN6FileFdC1Ev _ZN11GlobalError14MergeWithStackEv _ZN6FileFd4OpenENSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEEjNS_12CompressModeEm _Z12_GetErrorObjv _ZN11GlobalError11PushToStackEv _Z12SetCloseExecib _ZNSt9basic_iosIcSt11char_traitsIcEE5clearESt12_Ios_Iostate _ZdlPvm _ZNSt7__cxx1119basic_ostringstreamIcSt11char_traitsIcESaIcEEC1Ev _ZNSt8ios_base4InitD1Ev _Znam _ZSt4cerr _ZNKSt7__cxx1115basic_stringbufIcSt11char_traitsIcESaIcEE3strEv _ZSt16__throw_bad_castv __gxx_personality_v0 _ZSt16__ostream_insertIcSt11char_traitsIcEERSt13basic_ostreamIT_T0_ES6_PKS3_l _ZdaPv _ZNSo3putEc _ZNKSt5ctypeIcE13_M_widen_initEv _ZNSo5flushEv _ZStlsISt11char_traitsIcEERSt13basic_ostreamIcT_ES5_PKc _ZNSt8ios_base4InitC1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE9_M_createERmm _ZNSt7__cxx1119basic_ostringstreamIcSt11char_traitsIcESaIcEED1Ev _ZNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEE10_M_disposeEv _ZSt4cout _ZSt19__throw_logic_errorPKc _Unwind_Resume __stack_chk_fail dgettext strlen dup2 __cxa_atexit _exit __libc_start_main execv __cxa_finalize getenv close waitpid signal memcpy __errno_location pipe libapt-private.so.0.0 libapt-pkg.so.6.0 libstdc++.so.6 libgcc_s.so.1 libc.so.6 GCC_3.0 APTPRIVATE_0.0 GLIBC_2.4 GLIBC_2.14 GLIBC_2.34 GLIBC_2.2.5 APTPKG_6.0 CXXABI_1.3 GLIBCXX_3.4.26 GLIBCXX_3.4.11 GLIBCXX_3.4.9 CXXABI_1.3.9 GLIBCXX_3.4.21 GLIBCXX_3.4                                                                                    	 
            
                                        P&y   
                 I   
               P   ii
  	 !        +        6     ui	   A                 N   M                 ӯk   X     v   c     a   r     )  
      yѯ        q        t)         [             /      [             $      [             .      `             `      _         A           _                    _         7           _         ;           _         <           _         @           `         3           @`         D           Pa         C           `a         B            ^                    ^                    ^                    ^                     ^                    (^                    0^                    8^                    @^         	           H^         
           P^                    X^                    `^         
           h^                    p^                    x^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                    ^                     ^         !            _         "           _         #           _         $           _         %            _         &           (_         '           0_         (           8_         )           @_         *           H_         +           P_         ,           X_         -           `_         .           h_         /           p_         0           x_         1           _         2           _         4           _         5           _         6           _         8           _         9           _         :           _         =           _         >           _         ?                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   HH?  HtH         5=  %=  @ %=  h    %=  h   %=  h   %=  h   %=  h   %=  h   %=  h   %=  h   p%=  h   `%=  h	   P%z=  h
   @%r=  h   0%j=  h    %b=  h
   %Z=  h    %R=  h   %J=  h   %B=  h   %:=  h   %2=  h   %*=  h   %"=  h   %=  h   %=  h   p%
=  h   `%=  h   P%<  h   @%<  h   0%<  h    %<  h   %<  h    %<  h   %<  h    %<  h!   %<  h"   %<  h#   %<  h$   %<  h%   %<  h&   %<  h'   p%<  h(   `%<  h)   P%z<  h*   @%r<  h+   0%j<  h,    %b<  h-   %Z<  h.    %R<  h/   %J<  h0   %B<  h1   %:<  h2   %2<  h3   %*<  h4   %"<  h5   %<  h6   %<  h7   p%
<  h8   `%<  h9   P%;  f        HHHLuHPiLaH0I-HxH@\HPL]H#H8LDL<HXHH HHHLHHHdf.     fSH=  H H=;  H[H;  f     UHAWAVLpAUIATLSLH  dH%(   HE1LXHAE1H	  H
;  LLPH
     PAUxHH HtHH)YHPLH5k  L-;  H
  HLHHXLALA   N   B   L      H0HH8E  HL8Mt
A? F  HE1HDdH0K
      H  HHB     :   *d        7ǅH     A   N   H0B   X  HHHPpE1N      1HP  HUH5  HVHLKHH5  <HdLHH=    H߉HHP   H=I  IHt	8    LH5u  H  LHH=+  sH[E1DHH8u
ǅH   LaHXHEdH+%(     HHe[A\A]A^A_]ǅH   H0HLLH  H8A  E   H޺   ,Ht	E  HHE1HDdH0EP   1H@HH@HPL      HHX  x	tB8x@uHH@H8uH8xH@H0uH0yHHH5*  HHLHH55  E1LLHDH=	    H߉HSHfH5  HgHL\HH5"  MHdLHH=    H߉HH@ HPH0H8HhHHE   DdHH1DbA9  D8tHHH5  H=  L`HHL191HlHމlH=4  L  ǅH   x tOH!H5  H"HLHH5-  HdLHH=  _  HlH5  H  LHH=  rHZ1HǅH   hoĉHaL54  L1H  LLHLH5  HHPI  HHLHDHH5  L"HLL51HHxHpH5z  H=V4  HHHpHH5f  IH H@I   Ht'{8 t&CCLHd   HHH
  HP0
   H9t
   HHSHWI8IIIH7ITI]II(II IHLII%H,1I^HHPTE11H=1  f.     @ H=1  H1  H9tHf1  Ht	        H=1  H5z1  H)HH?HHHtH51  HtfD      =3   u+UH=0   HtH=1  dm3  ]     w    fHG    Hff.     fAUIATIUHSHHHdH%(   HD$81HL$HT$HHD$D$   } uDHl$HsHkLHLHHD$8dH+%(   u HH1[]A\A]ú   H5   0H     SH5  H=  Ht'HHHH=0  H   [ H/  H=/  Hxw    [f.     ff.      AULoATUSHdH%(   HD$1L/H   HHIH$HHwKHu5A$SHCAD  HD$dH+%(   uUH[]A\A]     Ht$f     H1HcHIH$HCLHLGH$L+H=
   HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     dump apt-utils Dir::Log APT_EDSP_DUMP_FILENAME ERR_NO_FILENAME ERR_CREATE_FILE APT::Sandbox::User APT::Solver::RunAsUser Failed to execute  ' '! ERR_READ_ERROR ERR_FORWARD ERR_WRITE_ERROR ERR_JUST_DUMPING        Usage: apt-dump-solver

apt-dump-solver is an interface to store an EDSP scenario in
a file and optionally forwards it to another solver.
      You have to set the environment variable APT_EDSP_DUMP_FILENAME
to a valid filename to store the dump of EDSP solver input in.
For example with: export APT_EDSP_DUMP_FILENAME=/tmp/dump.edsp   Writing EDSP solver input to file '     ' failed as it couldn't be created!
    ' failed as stdin couldn't be opened!
  ' failed as reading from stdin failed!
 Waited for %s but it wasn't there       ' failed due to write errors!
  I am too dumb, i can just dump!
Please use one of my friends instead!   basic_string: construction from null is not valid       ;l         8   H  XT  8  h       @  h                  zR x      "                  zR x  $         FJw ?;*3$"       D   P              \             p   t              zPLR xE    <   $   `   +  BED D(Gpy
(C ABBA    d         p      d    A{
Dc 8   $       BFA A(D@c
(A ABBI    `  4'    AZ   8      H0	  m   AC
DIEHU. . 
A     8            &?  n     @  sD   #    8     -   	 
> 
 
8 g & 
 
8 
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   /      $      .                                                                                       
       T1             [                           [                    o                 P
                   
                                                 ]             p                           H                          P      	                            o          o          o           o    8      o                                                                                                           [                      6       F       V       f       v                                                               !      !      &!      6!      F!      V!      f!      v!      !      !      !      !      !      !      !      !      "      "      &"      6"      F"      V"      f"      v"      "      "      "      "      "      "      "      "      #      #      &#      6#      F#      V#      f#      v#      #      #      #      #      #                                                              `              /usr/lib/debug/.dwz/x86_64-linux-gnu/apt.debug g;Q! 50a5878a3e2a94a3955cde212858d164ee5750.debug    eP .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .gcc_except_table .init_array .fini_array .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                          8      8                                     &             X      X      $                              9             |      |                                     G   o                   4                             Q                         x                          Y             P
      P
                                   a   o       8      8                                  n   o                   0                           }                         P                                 B       H      H      p                                                                                                                                                           #      #                                                #      #      s
                                          T1      T1      	                                            @       @                                                C      C      l                                           D      D                                                F      F                                                 [      K                                                [      K                                                [      K      @                                        ]      M                                                `       P                                                @`      P      8              @               
                     P      C                                                   \P      4                                                    P      +                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             The APT installation method encompasses most other installation methods
under the umbrella of the new Package Acquisition code. This method allows
installation from locations in the filesystem, ftp and http URLs, supports
full installation ordering and dependency checking as well as multiple 
sources. See the man pages apt-get(8) and sources.list(5)

HTTP proxies can be used by setting http_proxy="http://proxy:port/" before
running DSelect. FTP proxies require special configuration detailed in
the apt.conf(5) man page (see /usr/share/doc/apt/examples/apt.conf)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         #!/bin/bash

# Set the textdomain for the translations using $"..."
TEXTDOMAIN="apt"

# Get the configuration from /etc/apt/apt.conf
CLEAN="prompt"
OPTS=""
DSELECT_UPGRADE_OPTS="-f"
APTGET="/usr/bin/apt-get"
DPKG="/usr/bin/dpkg"
DPKG_OPTS="--admindir=$1"
APT_OPT0="-oDir::State::status=$1/status"
APT_OPT1="-oDPkg::Options::=$DPKG_OPTS"
set -e
RES=$(apt-config shell CLEAN DSelect::Clean OPTS DSelect::Options \
                      DPKG Dir::Bin::dpkg/f APTGET Dir::Bin::apt-get/f \
		      ARCHIVES Dir::Cache::Archives/d \
		      WAIT DSelect::WaitAfterDownload/b \
		      CHECKDIR DSelect::CheckDir/b)
eval $RES
set +e

# Yes/No Prompter
yesno() {
# $1 = prompt
# $2 = default(y)
	local ans def defp
	if [ "$2" ];then
		case $2 in
			Y|y)	defp="[Y/n]" def=y;;
			N|n)	defp="[y/N]" def=n;;
			*)	echo $"Bad default setting!" 1>&2; exit 1;;
		esac
	else
		defp="[y/N]" def=n
	fi
	while :;do
		echo -n "$1 $defp " 1>&3
		read ans
		case $ans in
			Y|y|N|n)	break;;
			"")		ans=$def;break;;
		esac
		echo
	done
	echo $ans | tr YN yn
}

if [ "$WAIT" = "true" ]; then
   $APTGET $DSELECT_UPGRADE_OPTS $OPTS "$APT_OPT0" "$APT_OPT1" -d dselect-upgrade
   echo $"Press [Enter] to continue." && read RES
   $APTGET $DSELECT_UPGRADE_OPTS $OPTS "$APT_OPT0" "$APT_OPT1" dselect-upgrade
   RES=$?
else
   $APTGET $DSELECT_UPGRADE_OPTS $OPTS "$APT_OPT0" "$APT_OPT1" dselect-upgrade
   RES=$?
fi

# 1 means the user choose no at the prompt
if [ $RES -eq 1 ]; then
  exit 0
fi

# Finished OK
if [ $RES -eq 0 ]; then

   if [ $(ls $ARCHIVES $ARCHIVES/partial | grep -E -v "^lock$|^partial$" | wc -l) \
        -eq 0 ]; then
      exit 0
   fi

   NEWLS=$(ls -ld $ARCHIVES)
   if [ "$CHECKDIR" = "true" ]; then
      if [ "$OLDLS" = "$NEWLS" ]; then
         exit 0
      fi
   fi
   
   # Check the cleaning mode
   case $(echo $CLEAN | tr '[:upper:]' '[:lower:]') in
     auto)
       $APTGET "$APT_OPT0" "$APT_OPT1" autoclean &&
	   echo $"Press [Enter] to continue." && read RES && exit 0;
       ;;
     always)
       $APTGET "$APT_OPT0" "$APT_OPT1" clean &&
	   echo $"Press [Enter] to continue." && read RES && exit 0;
       ;;
     prompt)
       exec 3>&1
       echo -n $"Do you want to erase any previously downloaded .deb files?"
       if [ $(yesno "" y) = y ]; then
          $APTGET "$APT_OPT0" "$APT_OPT1" clean &&
	    echo $"Press [Enter] to continue." && read RES && exit 0;
       fi
       ;;
     *) 
       ;;
   esac   
else
   echo $"Some errors occurred while unpacking. Packages that were installed"
   echo $"will be configured. This may result in duplicate errors"
   echo $"or errors caused by missing dependencies. This is OK, only the errors"
   echo $"above this message are important. Please fix them and run [I]nstall again"
   echo $"Press [Enter] to continue."
   read RES && $DPKG "$DPKG_OPTS" --configure -a
   exit 100
fi

exit $?
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   70 apt APT Acquisition [file,http,ftp]
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         #!/usr/bin/perl -w
#                              -*- Mode: Perl -*- 
# setup.pl --- 
# Author           : Manoj Srivastava ( srivasta@tiamat.datasync.com ) 
# Created On       : Wed Mar  4 15:11:47 1998
# Created On Node  : tiamat.datasync.com
# Last Modified By : Manoj Srivastava
# Last Modified On : Tue May 19 11:25:32 1998
# Last Machine Used: tiamat.datasync.com
# Update Count     : 87
# Status           : Unknown, Use with caution!
# HISTORY          : 
# Description      : 
# This file is designed to go into /usr/lib/apt/methods/setup
# 

#use strict;
#use diagnostics;
#printf STDERR "DEBUG: Arguments $ARGV[0];$ARGV[1];$ARGV[2];\n";


# Handle the arguments
my $vardir=$ARGV[0];
my $method=$ARGV[1];
my $option=$ARGV[2];
my $config_file = '/etc/apt/sources.list';

my $boldon=`setterm -bold on`;
my $boldoff=`setterm -bold off`;

my @known_types           = ('deb');
my @known_access         = ('http', 'ftp', 'file');
my @typical_distributions = ('stable', 'unstable', 'testing');
my @typical_components    = ('main', 'contrib', 'non-free', 'non-free-firmware');

my %known_access           = map {($_,$_)} @known_access;
my %typical_distributions  = map {($_,$_)} @typical_distributions;

# Read the config file, creating source records
sub read_config {
  my %params = @_;
  my @Config = ();
  
  die "Required parameter Filename Missing" unless
    $params{'Filename'};
  
  open (CONFIG, "$params{'Filename'}") ||
    die "Could not open $params{'Filename'}: $!";
  while (<CONFIG>) {
    chomp;
    my $rec = {};
    my ($type, $urn, $distribution, $components) = 
      m/^\s*(\S+)\s+(\S+)\s+(\S+)\s*(?:\s+(\S.*))?$/o;
    $rec->{'Type'}          = $type;
    $rec->{'URN'}           = $urn;
    $rec->{'Distribution'}  = $distribution;
    $rec->{'Components'}    = $components;
    push @Config, $rec;
  }
  close(CONFIG);
  
  return @Config;
}

# write the config file; writing out the current set of source records
sub write_config {
  my %params = @_;
  my $rec;
  my %Seen = ();
  
  die "Required parameter Filename Missing" unless
    $params{'Filename'};
  die "Required parameter Config Missing" unless
    $params{'Config'};
  
  open (CONFIG, ">$params{'Filename'}") ||
    die "Could not open $params{'Filename'} for writing: $!";
  for $rec (@{$params{'Config'}}) {
        my $line = "$rec->{'Type'} $rec->{'URN'} $rec->{'Distribution'} ";
    $line .= "$rec->{'Components'}" if $rec->{'Components'};
    $line .= "\n";
    print CONFIG $line unless $Seen{$line}++;
  }
  close(CONFIG);
}

# write the config file; writing out the current set of source records
sub print_config {
  my %params = @_;
  my $rec;
  my %Seen = ();
  
  die "Required parameter Config Missing" unless
    $params{'Config'};
  
  for $rec (@{$params{'Config'}}) {
    next unless $rec;
    
    my $line = "$rec->{'Type'} " if $rec->{'Type'};
    $line .= "$rec->{'URN'} " if $rec->{'URN'};
    $line .= "$rec->{'Distribution'} " if $rec->{'Distribution'};
    $line .= "$rec->{'Components'}" if $rec->{'Components'};
    $line .= "\n";
    print $line unless $Seen{$line}++;
  }
}

# Ask for and add a source record
sub get_source {
  my %params = @_;
  my $rec = {};
  my $answer;
  my ($type, $urn, $distribution, $components);
  
  if ($params{'Default'}) {
    ($type, $urn, $distribution, $components) = 
      $params{'Default'} =~ m/^\s*(\S+)\s+(\S+)\s+(\S+)\s+(\S.*)$/o;
  }

  $type         = 'deb';
  $urn          = "http://deb.debian.org/debian" unless $urn;
  $distribution = "stable" unless $distribution;
  $components   = "main contrib non-free non-free-firmware" unless $components;

    
  $rec->{'Type'} = 'deb';
  $| = 1;

  my $done = 0;
  
  while (!$done) {
    print "\n";
    print "$boldon URL [$urn]: $boldoff";
    
    $answer=<STDIN>;
    chomp ($answer);
    $answer =~ s/\s*//og;
    
    if ($answer =~ /^\s*$/o) {
      $rec->{'URN'} = $urn;
      last;
    }
    else {
      my ($scheme) = $answer =~ /^\s*([^:]+):/o;
      if (! defined $known_access{$scheme}) {
	print "Unknown access scheme $scheme in $answer\n";
	print "    The available access methods known to me are\n";
	print join (' ', @known_access), "\n";
	print "\n";
      }
      else {
	$rec->{'URN'} = $answer;
	last;
      }
    }
  }

  print "\n";
  
  print " Please give the distribution tag to get or a path to the\n";
  print " package file ending in a /. The distribution\n";
  print " tags are typically something like:$boldon ";
  print join(' ', @typical_distributions), "$boldoff\n";
  print "\n";
  print "$boldon Distribution [$distribution]:$boldoff ";
  $answer=<STDIN>;
  chomp ($answer);
  $answer =~ s/\s*//og;
  
  if ($answer =~ /^\s*$/o) {
    $rec->{'Distribution'} = $distribution;
    $rec->{'Components'}   = &get_components($components);
  }
  elsif ($answer =~ m|/$|o) {
    $rec->{'Distribution'} = "$answer";
    $rec->{'Components'}   = "";
  }
  else {
    # A distribution tag, eh?
    warn "$answer does not seem to be a typical distribution tag\n"
      unless defined $typical_distributions{$answer};
    
    $rec->{'Distribution'} = "$answer";
    $rec->{'Components'}   = &get_components($components);
  }

  return $rec;
}

sub get_components {
  my $default = shift;
  my $answer;
  
  print "\n";
  print " Please give the components to get\n";
  print " The components are typically something like:$boldon ";
  print join(' ', @typical_components), "$boldoff\n";
  print "\n";
  print "$boldon Components [$default]:$boldoff ";
  $answer=<STDIN>;
  chomp ($answer);
  $answer =~ s/\s+/ /og;
  
  if ($answer =~ /^\s*$/o) {
    return $default;
  }
  else {
    return $answer;
  }
}

sub get_sources {
  my @Config = ();
  my $done = 0;

  my @Oldconfig = ();
  
  if (-e $config_file) {
    @Oldconfig = &read_config('Filename' => $config_file)
  }

  print "\t$boldon Set up a list of distribution source locations $boldoff \n";
  print "\n";

  print " Please give the base URL of the debian distribution.\n";
  print " The access schemes I know about are:$boldon ";
  print join (' ', @known_access), "$boldoff\n";
#  print " The mirror scheme is special  that it does not specify the\n";
#  print " location of a debian archive but specifies the location\n";
#  print " of a list of mirrors to use to access the archive.\n";
  print "\n";
  print " For example:\n";
  print "              file:/mnt/debian,\n";
  print "              ftp://ftp.debian.org/debian,\n";
  print "              http://ftp.de.debian.org/debian,\n";
#  print " and the special mirror scheme,\n";
#  print "              mirror:http://www.debian.org/archivemirrors \n";
  print "\n";

  my $index = 0;
  while (!$done) {
    if ($Oldconfig[$index]) {
      push (@Config, &get_source('Default' => $Oldconfig[$index++]));
    }
    else {
      push (@Config, &get_source());
    }
    print "\n";
    print "$boldon Would you like to add another source?[y/N]$boldoff ";
    my $answer = <STDIN>;
    chomp ($answer);
    $answer =~ s/\s+/ /og;
    if ($answer =~ /^\s*$/o) {
      last;
    }
    elsif ($answer !~ m/\s*y/io) {
      last;
    } 
  }
  
  return @Config;
}

sub main {
  if (-e $config_file) {
    my @Oldconfig = &read_config('Filename' => $config_file);
    
    print "$boldon I see you already have a source list.$boldoff\n";
    print "-" x 72, "\n";
    &print_config('Config' => \@Oldconfig);
    print "-" x 72, "\n";
    print "$boldon Do you wish to overwrite it? [y/N]$boldoff ";
    my $answer = <STDIN>;
    chomp ($answer);
    $answer =~ s/\s+/ /og;
    exit 0 unless $answer =~ m/\s*y/io;
  }
  # OK. They want to be here.
  my @Config = &get_sources();
  #&print_config('Config' => \@Config);
  &write_config('Config' => \@Config, 'Filename' => $config_file);  
}

&main();


                                                                                                                                                                                                                                                                                                                                                                                                                                                       #!/bin/bash
set -e

# Set the textdomain for the translations using $"..."
TEXTDOMAIN="apt"

# Get the configuration from /etc/apt/apt.conf
CLEAN="prompt"
OPTS=""
APTGET="/usr/bin/apt-get"
APTCACHE="/usr/bin/apt-cache"
DPKG="/usr/bin/dpkg"
DPKG_OPTS="--admindir=$1"
APT_OPT0="-oDir::State::status=$1/status"
APT_OPT1="-oDPkg::Options::=$DPKG_OPTS"
CACHEDIR="/var/cache/apt"
PROMPT="false"
RES=`apt-config shell CLEAN DSelect::Clean OPTS DSelect::UpdateOptions \
		      DPKG Dir::Bin::dpkg/f APTGET Dir::Bin::apt-get/f \
		      APTCACHE Dir::Bin::apt-cache/f CACHEDIR Dir::Cache/d \
		      PROMPT DSelect::PromptAfterUpdate/b`
eval $RES

# It looks slightly ugly to have a double / in the dpkg output
CACHEDIR=`echo $CACHEDIR | sed -e "s|/$||"`

STATUS=1
if $APTGET $OPTS "$APT_OPT0" "$APT_OPT1" update
then
    echo $"Merging available information"
    rm -f $CACHEDIR/available
    $APTCACHE dumpavail > $CACHEDIR/available
    $DPKG "$DPKG_OPTS" --update-avail $CACHEDIR/available
    rm -f $CACHEDIR/available

    case "$CLEAN" in
	Pre-Auto|PreAuto|pre-auto)
	    $APTGET "$APT_OPT0" "$APT_OPT1" autoclean;;
    esac

    STATUS=0
fi

if [ x$PROMPT = "xtrue" ]; then
   echo $"Press [Enter] to continue." && read RES;
fi

exit $STATUS
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      # Debian apt(8) completion                             -*- shell-script -*-

_apt()
{
    local sourcesdir="/etc/apt/sources.list.d"
    local cur prev words cword
    _init_completion || return

    local GENERIC_APT_GET_OPTIONS='
        -d --download-only
        -y --assume-yes
        --assume-no
        -u --show-upgraded
        -m --ignore-missing
        -t --target-release
        --download
        --fix-missing
        --ignore-hold
        --upgrade
        --only-upgrade
        --allow-change-held-packages
        --allow-remove-essential
        --allow-downgrades
        --print-uris
        --trivial-only
        --remove
        --arch-only
        --allow-unauthenticated
        --allow-insecure-repositories
        --install-recommends
        --install-suggests
        --no-install-recommends
        --no-install-suggests
        --fix-policy
    '

    # see if the user selected a command already
    local COMMANDS=(
        "list"
        "search"
        "show" "showsrc"
        "install" "reinstall" "remove" "purge" "autoremove" "autopurge"
        "update"
        "upgrade" "full-upgrade" "dist-upgrade"
        "edit-sources"
        "help"
        "source" "build-dep"
        "clean" "autoclean"
        "download" "changelog"
        "moo"
        "depends" "rdepends"
        "policy")

    local command i
    for (( i=1; i < ${#words[@]}; i++ )); do
        if [[ " ${COMMANDS[*]} " == *" ${words[i]} "* ]]; then
            command=${words[i]}
            break
        fi
    done

    # Complete a -t<SPACE><TAB>
    case $prev in
        -t|--target-release)
            COMPREPLY=( $( compgen -W "$(apt-cache policy | grep -Eo 'a=[^,]*|n=[^,]*' | cut -f2- -d= | sort -u)" -- "$cur" ) )
            return 0
            ;;
    esac

    # When the cursor (cword) is before the command word (i), only suggest
    # options but not package or file names:
    if [[ $cur == -* || ( -v command && $cword -le $i ) ]]; then
        case ${command-} in
            install|reinstall|remove|purge|upgrade|dist-upgrade|full-upgrade|autoremove|autopurge)
                COMPREPLY=( $( compgen -W '--show-progress
                  --fix-broken --purge --verbose-versions --auto-remove
                  -s --simulate --dry-run
                  --download
                  --fix-missing
                  --fix-policy
                  --ignore-hold
                  --force-yes
                  --trivial-only
                  --reinstall --solver
                  -t --target-release'"$GENERIC_APT_GET_OPTIONS" -- "$cur" ) )
                return 0
                ;;
            update)
                COMPREPLY=( $( compgen -W '--list-cleanup
                  --print-uris
                  --allow-insecure-repositories
                  ' -- "$cur" ) )
                return 0
                ;;
            list)
                COMPREPLY=( $( compgen -W '--installed --upgradable 
                  --manual-installed
                  -v --verbose
                  -a --all-versions
                  -t --target-release
                  ' -- "$cur" ) )
                return 0
                ;;
            show)
                COMPREPLY=( $( compgen -W '-a --all-versions
                  ' -- "$cur" ) )
                return 0
                ;;
            depends|rdepends)
                COMPREPLY=( $( compgen -W '-i
                    --important
                    --installed
                    --pre-depends
                    --depends
                    --recommends
                    --suggests
                    --replaces
                    --breaks
                    --conflicts
                    --enhances
                    --recurse
                    --implicit' -- "$cur" ) )
                return 0
                ;;
            search)
                COMPREPLY=( $( compgen -W '
                    -n --names-only
                    -f --full' -- "$cur" ) )
                return 0
                ;;
            showsrc)
                COMPREPLY=( $( compgen -W '
                    --only-source' -- "$cur" ) )
                return 0
                ;;
            source)
                COMPREPLY=( $( compgen -W '
                    -s --simulate --dry-run
                    -b --compile --build
                    -P --build-profiles
                    --diff-only --debian-only
                    --tar-only
                    --dsc-only
                    -t --target-release
                    '"$GENERIC_APT_GET_OPTIONS" -- "$cur" ) )
                return 0
                ;;
            build-dep)
                COMPREPLY=( $( compgen -W '
                    -a --host-architecture
                    -s --simulate --dry-run
                    -P --build-profiles
                    -t --target-release
                    --purge --solver
                    '"$GENERIC_APT_GET_OPTIONS" -- "$cur" ) )
                return 0
                ;;
            moo)
                COMPREPLY=( $( compgen -W '
                    --color
                    ' -- "$cur" ) )
                return 0
                ;;
            clean|autoclean)
                COMPREPLY=( $( compgen -W '
                    -s --simulate --dry-run
                    ' -- "$cur" ) )
                return 0
                ;;
        esac

        return
    fi

    # specific command arguments
    if [[ -v command ]]; then
        case $command in
            remove|purge|autoremove|autopurge)
                if [[ -f /etc/debian_version ]]; then
                    # Debian system
                    COMPREPLY=( $( \
                        _xfunc dpkg _comp_dpkg_installed_packages $cur ) )
                else
                    # assume RPM based
                    _xfunc rpm _rpm_installed_packages
                fi
                return 0
                ;;
            show|list|download|changelog|depends|rdepends)
                COMPREPLY=( $( apt-cache --no-generate pkgnames "$cur" \
                    2> /dev/null ) )
                return 0
                ;;
            install|reinstall)
                if [[ "$cur" == .* || "$cur" == /* || "$cur" == ~* ]]; then
                    _filedir "deb"
                else
                    COMPREPLY=( $( apt-cache --no-generate pkgnames "$cur" \
                        2> /dev/null ) )
                fi
                return 0
                ;;
            source|build-dep|showsrc|policy)
                if [[ "$command" == build-dep && ( "$cur" == .* || "$cur" == /* || "$cur" == ~* ) ]]; then
                    _filedir "dsc"
                else
                    COMPREPLY=( $( apt-cache --no-generate pkgnames "$cur" \
                        2> /dev/null ) $( apt-cache dumpavail | \
                        command grep "^Source: $cur" | sort -u | cut -f2 -d" " ) )
                fi
                return 0
                ;;
            edit-sources)
                COMPREPLY=( $( compgen -W '$( command ls $sourcesdir )' \
                    -- "$cur" ) )
                return 0
                ;;
            moo)
                COMPREPLY=( $( compgen -W 'moo' \
                    -- "$cur" ) )
                return 0
                ;;
        esac
    else
        # no command yet, show what commands we have
        COMPREPLY=( $( compgen -W '${COMMANDS[@]}' -- "$cur" ) )
    fi

    return 0
} &&
complete -F _apt apt

# ex: ts=4 sw=4 et filetype=sh
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       #!/bin/bash
set -e

cat <<EOF
I can automatically include various information about your apt configuration in
your bug report.  This information may help to diagnose your problem.

EOF

yesno "May I include your apt configuration (/etc/apt/apt.conf et al)? [Y/n] " yep

if [ "$REPLY" = "yep" ]; then
  printf "\n-- apt-config dump --\n\n" >&3
  apt-config dump >&3 2>&1
fi

for config in /etc/apt/preferences /etc/apt/preferences.d/* /etc/apt/sources.list /etc/apt/sources.list.d/* ; do
  if [ -f "$config" ]; then
    yesno "May I include your $config configuration file? [Y/n] " yep
    if [ "$REPLY" = "yep" ]; then
      printf "\n-- %s --\n\n" "$config" >&3
      cat "$config" >&3
    else
      printf "\n-- (%s present, but not submitted) --\n\n" "$config" >&3
    fi
  else
    printf "\n-- (no %s present) --\n\n" "$config" >&3
  fi
done
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     ZsF?bJ{U7$DR?l3TĎR%C`HNb@:A{=JU\"~IrLTS\6>Sꔿ-U)A-tQNWzaT+W/M8{KJMF->"4H*ilktA\~VS?u	84Յ:)
~̨//W_7$u믔:or&5>MGd43{>ؗg/y1;q;QVV(FQWM,ELiB3\,t/JlWdzJWʵҠrBH45&3X]<g~Pzuff!qh48Q/,hp24x?BQ]<U> &nS{o>\mR`+]lTfJSd<CÙk\R5y
ܜX8ȱ6F9%Z
ԳIZI~Q*sJ{u
ox)4m1l_:<Tm
kX9Fص,Blp 38X5^	,J
ȫ

|kƫK_p7xxXO!1ep875@7xzxd|ax4[)b)+S&)ēz0oĠMÕJ|)`qrtM<% ~تCj,FF%jY>;e&X鬅1Q.g@Ɇߗ3WԌsk e(j<*箩# ^~O'.vs:]K>mA0>fU/CvYKx:7=7j1pbsh*M^y'p"EN$ʹ˙E8piVRY6)5zGߓ	.d<~5`״@>WF%;p6
h}!Lrx2}H&wN۰>bX?[:õhܮ#0O]+hr]q_H1]b<V!lI$2K
O q~SAGk'PvU$^$.l^i*a(W^tH6?h<ш\j㱥_MLWWFdc)S0%X^{tT٣s"d@!PnA衈$b)^0xNڟ& 2ygxN 1 Xo=g$VO/gA]&!1t!^He]ǜWsD /x5B HGF<m\CO՟=W3T8it_DKk=AJII$
J~m  άI4C(j&Q\n]8 ^^Dny'ځ8& C
ChrÐo:/U`OM!@" j,Q=;[-3]/ˠF7]>⿽mx  }Uq!5SZh˔4<?׌JMY*p}SP~$X!qC'B݉9+ZKd:߰oU:qMH[d3w+w
Xd>Flӹ?`;2S 8 T1CS~G&8}N*p;2Cb 3UB,Ƹ`C xa	47#ƽ_! }zZB)gkB0f[-PWdBܿ)R&V0ߧKp_k؛v发6aP7T$׭xwخf۶|IJKl f:i
TAqegD*d5rw̎Pw;J+֦^:`yf&:5M3(Qj,O+4|r۽"OZX̱lRo|W/Esʴ;@ MͦԽ/$ZPn霄#+~tzAey{@CY1YretN?q3Qc0wc10ƾ @w%ɣ@Sݏ
"ʫ([m'i
6=W1!HF26o*he}wiuW|'z(g[ײfaWh2kضuf.FŷEi c
#!^2Hq>tUŝaݰ'$ԄJW}fs[K:ezj z|&5B(=bCfm:HOhl
ۅ>הUOCG
Ϟˡ+j R4Y/O&sbp=jkEW"Ş¶F^h/z
Å],Tyە 4h
"L
l
VJ&Y`=ι' $M߽yٻ˓7BXgN-06CBo*QeȰ`:O;=-8m_{j{_bg *-ŜCYb(beSu! 
>,@}g&`~Y BI!ٜGRF#0]}t7
Lou):bۇ=Atrp#~t4g#ĺ̦T`7Z.A,逄Z&U 
[Y'2%+Z|lL{mHmCw[\%2>;=Tz-0#hs2Dǟ}M&gk]ݭ@[`bdzt?%9L΢q;91QjdJi\o]JԎ#v
j
k\ZQ/R7'aPr-"{%!d#Br ;z114xeR@&חot=
1N<pOVvmΏ{EY`!6!tWj{%xg؛Ona~Kvr
E-/arBu(R=l M~3'K|p1i[ŉ|5Gd=FٮBC*ܫtݛb^s-r`.k/u4TOJRVqqXt*T*|^/I#/&S"w;	˔B*?).۴)o@zͮn{];42
^Vڡߍ2:1Պ%p$o7jo"-S؂ڑa56|h`8^R{Wpꂳs 2m$1ܖYS_mywm"!';k\	-SGW:ü6p
o=B&WܢV_/{zO/LǮSԏ?'364a9
E6P{")E&e-r,[޺cg\HUKt/РD3tt֑eٟK^G{U-E*JR
3Řĳ8>cCVWztsiTywJ
s,h#6U9yCeF#1!筫X]}l1ͺUre@U=#-qSpk.&YD[_Jl3!/FWղGdvwS!d֧Orb$^B쏨m 9J&c:9ڎu|<FlnyA{`Uf8~V'9O9+LA$Z]Zqr+P.+l?<3w.\hS,m`-8Q<0cLZ	B16Exmk.j+]lCnꈅv0:EA
)ݡf76uV_ΆR+
[7NKb/P"\t?]V	|=̴=`V
oe!X+Mw2dkQP+cD[Xfjw?f	8U+eX,k
prP%-.G&g&-iq|NQ7zL#E?{=6^քfD7;Bօg<Wr{L9qݏ{WNHԤ6m8 $Ỵ(Mn܈dYU8f:m4ym.Qn]dKWBm4:ΏÏ^<Yx剩VyOO.>AD5{Ts ٪	(
/-z-`خ!IULOZۧ0hNGG74uLO4]0$:D?uѶb=	m+Ne78idbIkjW8;PCXﵓl[*z
ž\gZ\QtiGC5=a.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         ZnǕzr Ia>0kIYSbO׸{I`fldϹ:aILu<[}u<{̘bYmuvWƖa+j^}Qw?݄־pk_4k\E..ugm8Ӎ(GW7wl,Dһόo{}uxKYU-]ߺhD]Eگ|"_};[_nm]ۛGƀ0C,nʺQoѺKc'Ox<!a3щLeH3nڰEߚΗE3b2=]g-*oxvy]DP>ns|qM	EuI[
_}A$Od#*#>$.W\y8+R||h6pe:n'>V;~Y|gݧ-ʮs=ljvTDbrkO;U8va#x߻wmρ([4Éװsv߯k3Ð4CPOS)m͵
FkB߰"#1潦j_IZd>*\	CuTB+) VkMQamC2+;q$|ux\2D]<[BB2Ƶ5?znFsDn$[ >F#݅GO>P35Pur;?I. x
QǋRՕS=oK,ߋE㺥>#Y=BITwA =x f|8Rzv#]pcf>\ݼgOB5w394l6u}#{3Q\LEO;W'.fbj>L%\ce$?|?qoH$RMlܦ"'GޫY\?ge)ZV~q-L8u+"Z{_{[Z $qYtx:?=S{HfCo%(v 4# Y[PoS܈{Juq}逘uk.qG}cWkl?u]7XW@R37CY[d1!Zf^Ǫy*_@AUzw/@V0Ha%Xuv?4Ú^ ׌HGHJ7srB)zAl7Kv]r-ru&,73].OAQʩ *1Ma'A)4R.a[<4MوHBH _@U(;n}B.'\HeرF*uU!YP#U4#}- ~^n2vmƅ@΋Үv]CՅuR3SQid?#RiaTQ@[EGF0ghu^CO)3w|HZ;Gƭt~Xs(ʜ/t!? )m44;
 &*m%Ky5-L0A9Q5
L&Zj\^rRBIVBI
wmsa#>{?E6.ra2EsH>P#0߄Tt	%}M22k/@ʫB
	pv]D`j<bOP+SrFH2U
3gTd\x-DʸKJvdw*yCXofM)ж++izE;XփT6wB#p[	:פ&be.fd|j۶GSǙ:
-
h7I_!) 챰oB'
Z|'@b;IMpiL'"<m97
u}g
\[J 'kWDRvɨg$'WlVN@8B=7a_
+wsFQYQw#Hq^0n,ȏY-lzT|SOPx	^Jl>@`5;
bj`TL8[m\Q~եq6ߏ=S,
]s)5qƶBV¡%xu
Ԓ%!S<OqCo[GDD nq0篯on_7^˳eA|A""	|J`uBN)<T
@J l8g
o^]2'&$ߥwQ h1)zt6l.t,#U!GBr%XNvXzɎg|%0% SG MX3ޱuBBrl)9A#JGkD#tjǤt1kr&=Y_V&^4Al	)U+T@8L1L44dͤYۚ4YR_3+PІx~}yvkUv4d#.ͩ1ͤy&s	v	.8i%)U:vx>
:85-	3>^Nb߆Փ$d61ŴÆgUDΆ%"G`Ob-;|h
~qfj(<7IVUhuWI\eS'AN(psy@*q$"J9pIz+)\:9(}g8U6Y0 碸w^ZhF+7l$*tҠ=ΣrH:H{}A49Flȡޝ<PȉHgVi5V2EؒQ5w	2c4#I9iֆVia 
/&b4RȆ5H!+:I b|"*r=G[(iV:^Fx .O޼'TI$`-̭Jv >j%̕5O2kB3~USsKL'\F>ʪS-TES ΐ oQW}9vxZ  mj	3ۖ%J'B^oX؇Alg2s+(!\۞lPweB\![RM\oVo//PYt
ƔgnCʧ'i*^:Vխngjx**VhA2H_6O+>lBYQsj&m
˫HS7e~$>MٓO߇gHۖ7>OgiF݆ebS쑩ݤgR*w,29Wu?q]op^ԹxN'Nq= d7
M
V|3j%kyJ*3V $)v2n`ݐg9=grO|H#0!Bz2#rfRZWjI:*|/^=.W/{;{
JuaJؕK };ܪ]V(κD"\RN+,"nל+F(ŗdsuC@Fn@aLZ	#GFIO-IDT2k¦ÔC%WR!}kW
лwo2}Vvzz<q0<Mo6	5pkO^)лtU$P<_
؏uT&ZmoKuYj<;gXm\;Jy^{' =PU>](V3{[ӛ	Ӵff: t_6W@whh$<Kǝ\Az6s2h[ז}/35yZuyē<^wU-͉~	;pBQGA}EVcRASYMbDH=fD2k/KvZBŕ2)~}W,
xb'H>y1DϤJzDƥ8ȣח jM^>zф*E7#F2/?κ!8T8m:$0#>65/زl]5C{1Cy2'<gNO
cZ.қ.jȑ@&Eޑ@ᚯ&-o'A,ݟj9/TMy,sm2SW\:/S#}LH9}>[ɝdT3˟ܟܥl*%]L
#NWX{hֈN9(aOP_DZ66,ׇ&	Lv5L{2Mۛ|_W'~ӕwW@E4*D.şIGB^ΥHi2S^>pq~Bcsw\OМѱ|P	 d+Ê;GȔ/w?b$;smn{\yZ&0<
^n߾}p|u)                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             [nv}(8@ښd]m9so
=Ip`Ȓca yH> I<t~!_w)rGI#ǖk׾HZ(qDT%Xaߊ+er)!0*JU01љk}wB\B#|0:V"SLĈ\HJg)N)i&%RόؾL܇Q$fr<KH'"4xE#c#2m}QT!\eC,aud\YLq|e/%

̅(>LzFGsQ`yeW(%"muڽޠ`y^04#9nI 㔤SJdf7"
q$^u!^YCKgߒ܋r!nOtNvodM}
mL:n)IX&'#<7G2'W*1FKqH̊H5wv3%8\Ǜ/0fU,XHtҜdJ5'aKhc]݃Aa90eƟNoIM:Yqc7+R
LC{$31!Ѥ_1bDD%q+'Ѽ@E%ᦍ)ĚV]ՀY+~Y) w Tf|ڲu3UAaeqoaMCN$
6dB`ߪƕra1%
_0WV$TB:Do6̴\.0>GJ3
L0odbv{49Le-CqfHBOOVVt{\gQ9nm۳A^|iY&K,G^$ey#1B" )b\i+tJ\s!	R(@lbiЦXz7RVk]iv[mmwӝ*8Ah8/%N#Y.f:Zb-|;'2]bpS.SכQ>|yX9HF~n1{qgE>qw0
 	^?8'^9FqY%;p.m:"ɤм}5݃㤟PC w̾bmZDo5ރ'ʜ'y=w OԩyAkDdЂsw9,V,}(P hC 
N}"xי*5p=ۛ"H䬊ϝ%/*
sdAPz56p\:$f^IPErup֓xulx29нSO+.G[G9}y	~,*e`no8'En[c+! KNXx&0FBz%MYQ*?F0VALEՃ%;[z%Y1.vJ:(F)^"؉{nuM%MvsZ>ǧħ|O "μy&rqxyybY|w7"7agQܼ/~ВzO)qW+NQAgK	%41<\zUS us%J]$VZݔ|]Qq@9wHHhYp#9W=4ZKp^@XJkEu_]ѣ`pC;ǔ*lWx^OQ右wk,vإE>Neká)
&D8d_3hRlV|o[L~sI~p0vJ uk)<jtI.<_D9=qFj%Ҡ𻬖)FMb
1AAhxi[$C*Nd*yGIBw/T8mDIpԻkc29<e׹]ӻ(1'X~)<
C*Ja3&;qaFIDah`iJƻt"Z3@B~j!dl>)pBdTG 0V79Pxb;gNʮ2.xȦaZ#%Gpszqu}~&[QIt)2t%YH{0ܳL+/7;37J0z}*k
]cRDQei<°Cç	'E>#!|2yz߃?w;&VL)JPNFre~sa1S&Oe FtQiv{b;S
ώ߯9`{l찯뗧#!b4-P?|GPۧѕ^&&!ƿs8W5/)!t:=ا]J'1f{	N53Nr
JcP.-Zb?$L}tk(}	:WAG%􊥍Uǖ; .u
YgP\acofke2Mʻ}\j- {leʹdIfVswvj +Å*sͩpˠ:"(*ra;h<;kct4A%&7i""1bY,#i2&\	A+{{r9%/EOIcD/g:]HS~yOT.?h .1.R&qe?8APdx($w	e]NGv&+if5gމ"nïi#DJ'f|˥$ ff<O,9氮˜g?QlQ<,(\GOĖER*.vir7軩sF.0K#ӫym&LjT+Q8&C}m+Y\q龏P1,rٹ֮0SXM޴BMg)l"pCϧ	'|o.;wgױrow߹8l%}q|F0W'oOZqr"}CT	(K++3Wי^e1kk|<S2xcfǽ}EɍlZؔ!>\	D,;aO2!y|+2e*ˠUWU=[m8"C	FVNb[=;T,(Nj?J0a 㣷On^?s|suyx
э]j\#gmXG-UYxŸr!?oJ(~+.(S=pjE$M^*7%QRH6A6MZ3R+)3{^-~3RKkjϺir0ͪ@?zS7);7[G< FZJ↝
^,vÍY3,G4vhՊL7ԪcK
9-aWh3KR~'oR	BJFEI>g'z۶qegEʯm@nNoQW<aj}y1:saM;rR:ϧIK#I~cy	B7	g.: aO36-˅ٲm tG-j&s?Of}T%sDgZ6Ŕ-*W{~&Nky07K?YҼl*L2~RZI
6Blde''gʹ;%܇Gy[]+VIa\ZʖP1iQU,Q,?m4a[Kh6EOb:VD8 %6BC oEirG{!N6չ[l@sz!!0߄DҲƦ7pZBZV0Gk)з#~.4e{w\ǌ+f[gtRbcWc㹩0i@qw<<6[V98Uך	8*Twm?	\
6<#H:ȇ8b@.c4g2J[FD
76IA4)Pߘ",!JI>k{G͈"ih"#-l-DEN$ <~4-`	׫'[_ۮTzZ/
{VvWp	,ة`HV8	30mR^$->ZkrXeMncp0<8XpkKZ':Qs>YDXUK iKVN
Oݭomn╹`nn/HY~F-}`oGxb#"-h႙Hs8Waat~+^r8C~!2
#x("řߑ{5 b]]i4LQ@G4Z2
ML֑&~Q2#w\,\>|Rkl&
y·	ҙ톭z|+A
`H=H.bRQ~&5Bl9T5>W &e
W,Yu|bKJ=H?>\I6~ڞ(%]"11/B?ްC=ݾh)|!H-ys~[n+:N3,jNo-s6+ez&Ҍ
դ#uyvI-}>pXem?oWEm@%͂TSVqY_9'Kăwٙw Ht,d
oeؤ+7aVi&
itI_V`Q7iD?M.z}_&--.Efn3<ϗ9lv,[˻2qq%nWUȶ9xsq%Tsit_SS`IzB)=򇖀UE)f&Tj_DXmQT Ro;ò3c+lh+a2646͙5izT[I{]԰VJ%}8=|3:&,aJ9YvDv$x~$dn^sCcaf	
Ӿ%ft7dV\m<²@&HSx[?R67qS6&=NVe֣6Um&r1>޸Zu
&E<Jw6$
ܸ1+VmHYLxu;@>dI
0
u_Vs!m!/cAgH9F6S4T|Ҵ3n2Wc{L55h`0>S3XN
/nom|A%$QW%I}eAYU]ԽxB2W}	 ZʵQd޾mmD
HҲ,ԱlE䌜a$$DlJC-_gu (좁
`_u`H$6@J@{5+}|j.')!.偨MG&N@s0hoA!M}0iYGS+#%9w+*s2q2oI ۇzgl jDM-Կ/!vXc	-&? ݾ
/Di՚ӈ:Wb<etKCx TJWCa.2C/~@XC5ф6HJy3-}Uë] Ay,FץVF1IA;˂AӿW)ypt5;(x7ZF_|W?&3Y6=㈍$tlxӏIڱrυp@./'KR}r	 D2٬Xo'Oj9'>OW"9\rONB1	l5+ՑvH?v;xۚZe+ 1"#[Zز$R=\ݯ;\g$FsĉԴY0*R[);;eH=mz3z+!~*X.eYP
B
7&sփVYi:Wkeivz#WoD&0V HFY-p*YZ2n-)|H>0hzt/*[i7sD(a}p2t gh6bm$z>cR20~RI4:-5~衣+ߗd38Ύoydo>>O#{wr鎄/}/9\a9uqVyPؕ\d$ˮ_(g֒y@wRWEbf< a%cĶ"h8M|Qpm:Y	<eaOM: _U=Xjh;Q03opϊZH@XB(E}5ϓ)GHQ/-Op&pBxcb4ٻӀ=~@\A}c?W,[2&RV3$^l/2j%.0y:D⦣s$4VJO7`$f#ѣG"q|AeE ދ
.ow՘T 
UTW3`^tULZvcI0!fDI}hټŪSRЙnVgyWD*F!W5\\ί)˝pFOxDi=s>Z`]3Dh^G[n\"2㲀nXV o(-r҅Y
y<"$b7ҬT2cJ'&jlzg	$CZ|l8c)~+kD~9Jbj%(`q1OBC!T0lN ,LPoI,)+_&<;?KAHݘ0bICttLYip"Ԅ	C%2	R\KUEz%j0Y@n]lt?L6/m!G"#qxvT9xeg_
ә=:x BrZbCͲ>NWǫix_u't9a U"?'svw~4!%&7̕8㔴BT)4ͯpJ1K6m@F aE
cANJOѯrFbB鿴f{y7x.{P~y?Ҝ\%1; y3LVgAPx-T,XRЍa,~ѷyKٔb6ޘ(*]R02*cEOKQ0VϏ_X(Ĺ><ʙ~hKLQP{H8MG\lECz|jAKO0.f$$o#س,['ilIV Yhiqخ&0ȶF >b\x%W8V HNC`79Z& twKcM ΗEZɸHET"U4V&Dw!1&",ANݕAѹa	w
BJ|xj1'd	XY% )Aַ弇a1? 9葭c!?g˕, Y}tkqiNPpɳA{I\ANk2%(|b,j
K&iVvM/rMJĀ7֌_A &Xx0^s/Uڻγ)xo!)1\,Y8 &x'gsgHp"_$lǤ\!shN[p1Kĳ!((5J$C?RW<ZH
2I\PX]WSa:K°qВ]0kPbOg90+*ZKms"R \@<vQEq-_>bo<9{X..'tz\<!.W!1Dܪ3||2Y,wTv8YȞ嫞O|Jߚb.&O+iVRqK2KhGf]
#Q	YO
	yC svbؤ6t=Pd_kh=a4<+A5A0\ܑWfl /;&
̒3jl,tR|O =Rب55X?^*]6Hj|l}};4;}mȔpJb[JΌ$ehyw˅x9Xw3}Nð3Lp1Bp06o=ҖR}hf3T f*6TOEZ
̢@0)7q͈6I9q2Aګ4&z+\l`3Ʉ98z>K"T I A:iT:ZqpX+SI3d[æ5)79\o̽n6uro
рz?#sd9lk(2P	&X&L2&˺r@UD@RGTWH;z|5!gVi{4|VWz*{H	m5c7̵N1Zr'ӲԿ7&koFW7Bvf\!RA^b-r+.Lz{v/W@HGDApjU)Urq	ȕZ4MC+Suyr;>C#aSWf\5V&gK'K5avȃZ6a,iyM$x[&5
y[A0GDtޅ?DS&(>Gj
K܂zVmOl4~>iMl4!ϧwVi
q	oe$v%2%IM/^? H\d%ۅ&sX
(%pmu:Ft~È|'48oH{w%@	RQL:
&PTj6`:"3_1CT\ZSq:áIY^ ; +>:M?ËW4p9:\`Ie{+VB,^#=6AҎ[MkdW9bk
;! j}ØKozeN{)?HͽԾ/Z)
3?
k]mRCG-VJǱxֹN  KDjh
6/	IoT={ln(D11d*uPZgQ7~>&A#nRƤUQOfTKɳĲVaPO:["/f4ze F]kϒ"yǠԣxߧe&ȲϵގlW/n+dH:[plbJRowgC:ޞ>?8]ڰ,%Tn^sxs.cC>aT_e#&EP8,(~2}6%õyLn
ȡcܻ;,֚V'4CctȑfGy>E/;ae',u
}+"bPx!h5>Ƶn>z"M*vRlCJ|Nd~Sжfs3ejO9*lk^iTiӌEBԈ	@6g\dZ	foۍ`22?X68@]@j6k`RI6SnxHEiccȠ Qdڧ[-'8ճ䒶$hz|
=[
CnJrje;H=qZq;ݪᰖf7V`+L晾d>Ue*B9+퓲B3t![{0NsmjzuuQ'
\oȨVagV~稠 "mav<YDJCO*`[NWFf>Rr%JZvc|*<JZ&-g6IkvU9yNB-Q"z"XWL1@#qqVrj>qJ81*7<lHYQk
f_Ŋ㚗)2~V<MSPa<7#'l0N,ɂ/Px҈lWQX-RˡH
&/'
wL+wODu4_lu^2UgSB@ig,ZrK:x
H<I?UT6䕰møfd;C
+<dz^Ut-Yb58V_5vbsnDudV4;ՠ*SJ6L +Gѵ4W|q m/Y
7k{HYdΥ1Ol2v{Aj4	,@}09f2R8r\o6M?z5_-JCcEiȶ!(9x%\eu,P6G͗
r )g^˝]+)[H|ş5fu֯qRliw=^HuPNuU1r3rr_
DvqdSѥ_c]YV ۰W9g	YM ZUw-K
4Q<AwU3Z|o$
xokCȔVט|	5=	Y2ge
:~=8b6b!ΫcxA.]EڕOٟx*d6*.p4L4:MR8rdU1pLqL2k(V'kϨ=	jMM۹AL	y%Sz%bv_j7[d>VhOٵ
Z,5wِ̢:Zl.֕7ݤ_<T&jbc+0^iU4W-^|%*9,,M5IKJ"qNK0 KY	V%-yF@H`ӷ㸞wV*꒪67?T5.9+AmǮ#tK{G# g\ꪊ 5v]6
hGhe,X
W2A;]x޼#wS|8Do=L N\:Qm98GgΏϑ[}.rzX.lsdNi߷#<6NMp![uiQ!ҺimIG@[<aQ@Zf]q9%P*0{ըqu1gNt)>Mg͑Ir`vf%b'䜌0A#AlJ-5;5+񐚒ǏjFltM,=jx9v	bb6W'QeQeiEa3^q
kE6oQiHCp|ZuB_iV>ݩY0q=KTQa H. ;5%鸼@ɻ]ojmRhf@=#KS^I¨<^cg.ƅeXh]]`1~|OaTrbYTS*,6Zu`}LĨ3֣|͇ǯUu\(0Baʀ|"K!e9Z^Jt.Szfȩ^qo
"FR\e
`g]0NQɪfYܧ;;<^@NJɉn`@&
J8j'(셚wz@52kV"u=v_J-O?AI9x/\^yə%-
Gqṳ$[X=Kw&]6o8YK$l -MqozHC "o]֞ ǁ[,->ֈ72owd 6%r{?<%[F-
6VeþJ+?BK[VS圡|ȡIVTNvdmt y\rl
XJD}I'[i)= $xz攮E[&?a=Wj~6z.?mX/fyeIײ),I0D1Ue8#PF,9dOJ> sĔd$/@U*YaR+"Vuex*FPյ
ZZNSR
FN=}Ke -4)/Ú>b'ʪ`.˩L4ĮvX\7xO&S_Ts2K]lIAa2݋(e %џhC̕(߾ NoRX7vmNl~Cҡ-zEk7ʂ8'%n<ޢ5Ss'Q
=$_%#TPJۡ.EwIgý4
7G]*&O%?5S.ԻdS>|n<Ӑ
5F.7"L+0_r}ͿFYf'ܒ%Pz85V̈́pւF9tqaB܄+gI5sd]%4ri᭱Ŝ6q[D3vXtMlN&Ѧh}:R'4YaMۊxm#m0FUax?&22"1@-zܗuR:%$
-Rnr.L\a:EDpRM,7a/g'8jmM\6|Qi6v>U+Lm	Ɨ,"
`䎸agY0bE)'7yLbkkW@[/]؍:o}E6VPm+4dlvO8;!D)&yq\P<6{+oH
mY
]XKx6Enj)ER?fqtaklaϘG[kzVV|aTB̮MOXݚ-keM`OeXKF^9|ld,㟇VH><;5:xm-ѷye|4k6tAhreQ![
#-.@i%rZU<t;F	$w?:iɰ9[-5B7y]c$5b駨fCzE
S+]T΁;ՒbE>"MYk}JF<--@2:Wo&ipqݹ$D:8zgܟ!x26N˸?FFClu(R
ߜ{hiG/ d1K]Vp{kYAmC*FhVXD$&\?<#5EC]z5ZOYqAQ᧗d;|v?UĜ'SxB7|Ɓ,}QѰ5/mZT\$S&BQﲫ3Z'O8(>Ox3j5vscwbGOx+j
*2Mkܮ>۝~R)mcc`Lכj,N$чwGgo^+U#OA\~QLHfpSf}pj'i:{fuz69U\QC9\ m羅G,x/j_
gQuTY\n>yAVhD
{<^RDU1ٵO5t)t
\Vsd}L"讓@0XK٧k T]0kY2)ɵ<׮wNr+85zbQ+kp;ﹽed܏!3KyK^[!oa_	xAAư209K	IФ@Zk4h#}jmyvh3M	7vzj4F;c mehG,+DUI I̤0#z֜NRDч9.x. _No-n'|$fZ-fiL:k ng-
oKkn"2p8@Φ~߭2~3?
3O/>m;U_X S,i}rO$/EاIlĴTJJs=(ֳT
r~miV-Hj	gzVi-~]=-wgwO!L[v[äxp4Tv+Z?;Vք+o-ݥdv紲gZNWN|4Hד=Qf?:W3eȩ>ĹV(]^;ץPspxѫ-eٙ;QLܭO	fCҐ|8K}iI1n |QUX#2p%q_D	+:
Z#ÉR8rljr"fȡ<?9v#[;oj6DxDxOe>8qɸ@{7ץʋ&Ly֗Ee?y_AxbfퟤÝ7o0fi~H٩\ߵC3ڽsVi^_V4axwh\T6kgаz0'sd,_m
XyF3&xX!DFj{ۃ0&r*$BE)i!'5TNz^рǼ$[<'F9j6Okd(K܎Q]G#/~/4+4-4 ЁSF<u焛 Z y!Dha󞍤$X["hTTkc.,/aHhYuc.tմ9I\KFGGT7$$)[p**Hl*pY56D~hW+Eqլ	V@iw[^\bO9G1.X<58E%ԻV-k-W5YO`b]`+8re@Y3:#Ny|X@0]b_UKPY8pAvOVW<e&xu;$N xLUb7'G,G{|HKHwNbY02 S{t8Y_B\;`@[0#2X]דh`ˊ5F
	pDJsSL
1:v	\Sʀ`)s'$=V6                                                                                                                                                                                                                                                                                                                                                                                                                             Format: https://www.debian.org/doc/packaging-manuals/copyright-format/1.0/
Upstream-Name: apt
Upstream-Contact: APT Development Team <deity@lists.debian.org>
Source: https://salsa.debian.org/apt-team/apt
Comment:
 APT is an old software with lots of contributors over its lifetime. This
 file is a best effort to document the statements of copyright and licenses
 as stated in the file, but is not a complete representation of all copyright
 holders - those have been lost to times.
 .
 Several bits of apt-pkg/contrib have had public domain dedications but
 contributions from authors in countries not recognizing a public domain
 concept. We believe that these contributions have been done in good faith,
 and we treat them as if they had been made under the GPL-2+ as we believe
 some contributors may have missed these facts and the overall license statement
 for the project has always been GPL-2+, so we cannot be sure that contributors
 meant to grant additional permissions.
 .
 Translation files are considered to generally be GPL-2+,
 but they also include strings used by methods/rsh.cc which appears to be GPL-2.
 As the translations are split into separate domains later on,
 these strings are not loaded by library users outside of apt
 (they are in the 'apt' translation domain).
 .
 The apt-pkg/contrib/fileutl.cc file states "RunScripts()" is "GPLv2".
 We believe that this was not meant to exclude later versions of the GPL,
 as that would have changed the overall project license.

Files: *
Copyright: 1997-1999 Jason Gunthorpe and others
           2018, 2019 Canonical Ltd
           2009, 2010, 2015, 2016 Julian Andres Klode <jak@debian.org>
           1998, Ben Gertzfield <che@debian.org>
           2002-2019 Free Software Foundation, Inc.
           2003, 2004, 2005, 2009, 2010, 2012 Software in the Public Interest
           2002-2003 Lars Bahner <bahner@debian.org>
           2003-2004 Axel Bojer <axelb@skolelinux.no>
           2004 Klaus Ade Johnstad <klaus@skolelinux.no>
           2004 Bjorn Steensrud <bjornst@powertech.no>
           2003, 2005-2010 Hans Fredrik Nordhaug <hans@nordhaug.priv.no>
           2016, 2018 Petter Reinholdtsen <pere@hungry.com>
           2009 Rosetta Contributors and Canonical Ltd 2009
           2013 Debian L10n Turkish 2013
           2013-2018 Mert Dirik <mertdirik@gmail.com>
           2004 Krzysztof Fiertek <akfedux@megapolis.pl>
           2000-2004, 2010, 2012  Robert Luberda <robert@debian.org>
           2000-2017 Debian Italian l10n team <debian-l10n-italian@lists.debian.org>
           2003-2017 Debian Japanese List <debian-japanese@lists.debian.org>
           2000-2018 Debian French l10n team <debian-l10n-french@lists.debian.org>
           1997 Manoj Srivastava
           1997 Tom Lees
           2014 Anthony Towns
License: GPL-2+

Files: methods/rsh.cc
Copyright: 2000 Ben Collins <bcollins@debian.org>
License: GPL-2
Comment:
 This file stated:
 Licensed under the GNU General Public License v2 [no exception clauses]
 .
 We believe that this was intended to be not a statement against future
 versions of the GPL, but meant to exclude the Qt license exception in
 place in APT until that time.
 .
 We received permission from Ben in 2021 to relicense under GPL-2+,
 contributions from Adam Heath and Daniel Hartwig may still have to
 be considered GPL-2 for the time being.
 .
 Other contributions are GPL-2+

Files: CMake/FindBerkeley.cmake
Copyright: 2006, Alexander Dymo, <adymo@kdevelop.org>
           2016, Julian Andres Klode <jak@debian.org>
License: BSD-3-clause
 Redistribution and use in source and binary forms, with or without
 modification, are permitted provided that the following conditions
 are met:
 .
 1. Redistributions of source code must retain the copyright
    notice, this list of conditions and the following disclaimer.
 2. Redistributions in binary form must reproduce the copyright
    notice, this list of conditions and the following disclaimer in the
    documentation and/or other materials provided with the distribution.
 3. The name of the author may not be used to endorse or promote products
    derived from this software without specific prior written permission.
 .
 THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR
 IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES
 OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
 IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT,
 INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
 NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
 DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
 THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
 (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF
 THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.

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

License: GPL-2
 This package is free software; you can redistribute it and/or modify
 it under the terms version 2 of the GNU General Public License
 as published by the Free Software Foundation.
 .
 This package is distributed in the hope that it will be useful,
 but WITHOUT ANY WARRANTY; without even the implied warranty of
 MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
 GNU General Public License for more details.
 .
 You should have received a copy of the GNU General Public License
 along with this program. If not, see <https://www.gnu.org/licenses/>
Comment:
 On Debian systems, the complete text of the GNU General
 Public License version 2 can be found in "/usr/share/common-licenses/GPL-2".

License: GPL-2+
 This program is free software; you can redistribute it and/or modify
 it under the terms of the GNU General Public License as published by
 the Free Software Foundation; either version 2 of the License, or
 (at your option) any later version.
 .
 This program is distributed in the hope that it will be useful,
 but WITHOUT ANY WARRANTY; without even the implied warranty of
 MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
 GNU General Public License for more details.
 .
 You should have received a copy of the GNU General Public License
 along with this program; if not, write to the Free Software
 Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301, USA.
Comment:
 On Debian systems, the complete text of the GNU General
 Public License version 2 can be found in "/usr/share/common-licenses/GPL-2".
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            /* This file is a sample configuration file with a few harmless sample 
   options.   
*/

APT 
{
  // Options for apt-get
  Get 
  {
     Download-Only "false";
  };
  
};

// Options for the downloading routines
Acquire
{
  Retries "0";
};

// Things that effect the APT dselect method
DSelect 
{
  Clean "auto";   // always|auto|prompt|never
};

DPkg 
{
  // Probably don't want to use force-downgrade..
  Options {"--force-overwrite";}
}
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      /* This file is an index of all APT configuration directives.
   Instead of actual values the option has the type as value.
   Additional explanations and possible values might be detailed in a comment.

   Most of the options have sane default values,
   unless you have specific needs you should NOT include arbitrary
   items in a custom configuration.

   In some instances involving filenames it is possible to set the default
   directory when the path is evaluated. This means you can use relative
   paths within the sub scope.

   The configuration directives are specified in a tree with {} designating
   a subscope relative to the tag before the {}. You can further specify
   a subscope using scope notation e.g.,
     APT::Architecture "i386";
   This is prefixed with the current scope. Scope notation must be used
   if an option is specified on the command line with -o.

   The most complex type is perhaps <LIST>:
      APT::Architectures "<LIST>";
   In configuration files it usually appears as a subscope of its own like:
      APT::Architectures { "amd64"; "i386"; };
   but the same can be achieved with (needed for commandline)
      APT::Architectures "amd64,i386";
   which overrides the values in the scope notation.

   See apt.conf manpage for a detailed description of many common options
   and the syntax of configuration files and commandline options!
*/

quiet "<INT>" {
  NoUpdate "<BOOL>"; // never update progress information - included in -q=1
  NoProgress "<BOOL>"; // disables the 0% → 100% progress on cache generation and stuff
  NoStatistic "<BOOL>"; // no "42 kB downloaded" stats in update
  ReleaseInfoChange "<BOOL>" // don't even print the notices if the info change is allowed
  {
    Origin "<BOOL>";
    Label "<BOOL>";
    Version "<BOOL>";
    Codename "<BOOL>";
    Suite "<BOOL>";
    DefaultPin "<BOOL>";
  };
};

// Options for APT in general
APT
{
  Architecture "<STRING>"; // debian architecture like amd64, i386, powerpc, armhf, mips, …
  Architectures "<LIST>"; // a list of (foreign) debian architectures, defaults to: dpkg --print-foreign-architectures
  BarbarianArchitectures "<LIST>"; // a list of architectures considered too foreign to satisfy M-A:foreign

  Build-Essential "<LIST>"; // list of package names
  Build-Profiles "<STRING_OR_LIST>";

  NeverAutoRemove "<LIST>";  // list of package name regexes
  LastInstalledKernel "<STRING>"; // last installed kernel version
  VersionedKernelPackages "<LIST>"; // regular expressions to be protected from autoremoval (kernel uname will be appended)
  Protect-Kernels "<BOOL>"; // whether to protect installed kernels against autoremoval (default: true)

  // Options for apt-get
  Get
  {
     // build-dep options:
     Host-Architecture "<STRING>"; // debian architecture
     Arch-Only "<BOOL>";
     Indep-Only "<BOOL>";
     Build-Dep-Automatic "<BOOL>";
     Satisfy-Automatic "<BOOL>";

     // (non-)confirming options
     Force-Yes "<BOOL>"; // allows downgrades, essential removal and eats children
     Allow-Downgrades "<BOOL>";
     Allow-Change-Held-Packages "<BOOL>";
     Allow-Remove-Essential "<BOOL>";
     Allow-Solver-Remove-Essential "<BOOL>";
     Assume-Yes "<BOOL>"; // not as dangerous, but use with care still
     Assume-No "<BOOL>";
     Trivial-Only "<BOOL>";
     Mark-Auto "<BOOL>";
     Remove "<BOOL>";
     AllowUnauthenticated "<BOOL>"; // skip security

     AutomaticRemove "<BOOL>" {
        "Kernels" "<BOOL>";     // Allow removing kernels even if not removing other packages (true for dist-upgrade)
     };
     HideAutoRemove "<STRING_OR_BOOL>"; // yes, no, small

     Simulate "<BOOL>";
     Show-User-Simulation-Note "<BOOL>";
     Fix-Broken "<BOOL>";
     Fix-Policy-Broken "<BOOL>";

     Download "<BOOL>";
     Download-Only "<BOOL>";
     Fix-Missing "<BOOL>";
     Print-URIs "<BOOL>";
     List-Cleanup "<BOOL>";

     Show-Upgraded "<BOOL>";
     Show-Versions "<BOOL>";
     Upgrade "<BOOL>";
     Only-Upgrade "<BOOL>";
     Upgrade-Allow-New "<BOOL>";
     Upgrade-By-Source-Package "<BOOL>";
     Always-Include-Phased-Updates "<BOOL>";
     Never-Include-Phased-Updates "<BOOL>";
     Phase-Policy "<BOOL>"; // internal
     Purge "<BOOL>";
     ReInstall "<BOOL>";
     Compile "<BOOL>";
     Only-Source "<BOOL>";
     Diff-Only "<BOOL>";
     Tar-Only "<BOOL>";
     Dsc-Only "<BOOL>";

     Autosolving "<BOOL>";
     CallResolver "<BOOL>";
     IndexTargets::ReleaseInfo "<BOOL>";
     IndexTargets::format "<STRING>";

     Update
     {
        InteractiveReleaseInfoChanges "<BOOL>";
        SourceListWarnings "<BOOL>"
        {
           APTAuth "<BOOL>";
           NonFreeFirmware "<BOOL>";
        };
     };
  };

  Cache
  {
     AllNames "<BOOL>";
     AllVersions "<BOOL>";
     Only-Source "<BOOL>";
     GivenOnly "<BOOL>";
     RecurseDepends "<BOOL>";
     Installed "<BOOL>";
     Important "<BOOL>";
     ShowDependencyType "<BOOL>";
     ShowVersion "<BOOL>";
     ShowPre-Depends "<BOOL>";
     ShowDepends "<BOOL>";
     ShowRecommends "<BOOL>";
     ShowSuggests "<BOOL>";
     ShowReplaces "<BOOL>";
     ShowConflicts "<BOOL>";
     ShowBreaks "<BOOL>";
     ShowEnhances "<BOOL>";
     ShowOnlyFirstOr "<BOOL>";
     ShowImplicit "<BOOL>";
     ShowVirtuals "<BOOL>";
     ShowFull "<BOOL>";
     NamesOnly "<BOOL>";

     show::version "<INT>";
     search::version "<INT>";
  };

  CDROM
  {
     Rename "<BOOL>";
     NoMount "<BOOL>";
     Fast "<BOOL>";
     NoAct "<BOOL>";
     Thorough "<BOOL>";
     DropTranslation "<BOOL>";
  };

  Update
  {
     Pre-Invoke {"touch /var/lib/apt/pre-update-stamp"; };
     Post-Invoke {"touch /var/lib/apt/post-update-stamp"; };
     Error-Mode "<STRING>";
  };

  /* define a new supported compressor on the fly
  Compressor::rev {
     Name "rev";
     Extension ".reversed";
     Binary "rev";
     CompressArg {};
     UncompressArg {};
     Cost "10";
  };
  */
  Compressor "<LIST>";
  Compressor::** "<UNDEFINED>";

  Authentication
  {
     TrustCDROM "false"; // consider the CD-ROM always trusted
  };

  Clean-Installed "<BOOL>";

  // Some general options
  Default-Release "<STRING>";
  Ignore-Hold "<BOOL>";
  Immediate-Configure "<BOOL>";
  Immediate-Configure-All "<BOOL>";
  Force-LoopBreak "<BOOL>";

  Cache-Start "<INT>";
  Cache-Grow "<INT>";
  Cache-Limit "<INT>";
  Cache-Fallback "<BOOL>";
  Cache-HashTableSize "<INT>";

  // consider Recommends/Suggests as important dependencies that should
  // be installed by default
  Install-Recommends "<BOOL>";
  Install-Suggests "<BOOL>";
  // reverse Recommends or Suggests prevent autoremoval
  AutoRemove::RecommendsImportant "<BOOL>";
  AutoRemove::SuggestsImportant "<BOOL>";

  // consider dependencies of packages in this section manual
  Never-MarkAuto-Sections {"metapackages"; "universe/metapackages"; };

  // Write progress messages on this fd (for stuff like base-config)
  Status-Fd "<INT>";
  Status-deb822-Fd "<INT>";
  // Keep the list of FDs open (normally apt closes all fds when it
  // does a ExecFork)
  Keep-Fds {};

  // control parameters for cron jobs by /etc/cron.daily/apt documented there
  Periodic {};

  Machine-ID "<STRING>"; // Value of /etc/machine-id
};

// Options for the downloading routines
Acquire
{
  Queue-Mode "<STRING>";       // host or access
  Retries "<INT>" {
      Delay "<BOOL>" {   // whether to backoff between retries using the delay: method
        Maximum "<INT>"; // maximum number of seconds to delay an item per retry
      };
  };
  Source-Symlinks "<BOOL>";
  ForceHash "<STRING>"; // hashmethod used for expected hash: sha256, sha1 or md5sum
  Send-URI-Encoded "<BOOL>"; // false does the old encode/decode dance even if we could avoid it
  URIEncode "<STRING>"; // characters to encode with percent encoding

  AllowTLS "<BOOL>";    // whether support for tls is enabled

  PDiffs "<BOOL>"; // try to get the IndexFile diffs
  PDiffs::FileLimit "<INT>"; // don't use diffs if we would need more than 4 diffs
  PDiffs::SizeLimit "<INT>"; // don't use diffs if size of all patches excess X% of the size of the original file
  PDiffs::Merge "<BOOL>";

  Check-Valid-Until "<BOOL>";
  Max-ValidTime "<INT>"; // time in seconds
  Max-ValidTime::* "<INT>"; // repository label specific configuration
  Min-ValidTime "<INT>"; // time in seconds
  Min-ValidTime::* "<INT>"; // repository label specific configuration
  Check-Date "<BOOL>"; // whether to check the "Date" field
  Max-FutureTime "<INT>"; // seconds to allow release file's Date field to be in the future (default 10)
  Max-FutureTime::* "<INT>"; // repository label specific configuration

  SameMirrorForAllIndexes "<BOOL>"; // use the mirror serving the Release file for Packages & co

  AllowInsecureRepositories "<BOOL>";
  AllowWeakRepositories "<BOOL>";
  AllowDowngradeToInsecureRepositories "<BOOL>";
  AllowUnsizedPackages "<BOOL>";
  // allow repositories to change information potentially breaking user config like pinning
  AllowReleaseInfoChange "<BOOL>"
  {
    Origin "<BOOL>";
    Label "<BOOL>";
    Version "<BOOL>"; // allowed by default
    Codename "<BOOL>";
    Suite "<BOOL>";
    DefaultPin "<BOOL>";
  };

  // HTTP method configuration
  http
  {
    Proxy "http://127.0.0.1:3128";
    Proxy::http.us.debian.org "DIRECT";  // Specific per-host setting
    Timeout "30";
    ConnectionAttemptDelayMsec "250";
    Pipeline-Depth "5";
    AllowRanges "<BOOL>";
    AllowRedirect "<BOOL>";

    // Cache Control. Note these do not work with Squid 2.0.2
    No-Cache "false";
    Max-Age "86400";     // 1 Day age on index files
    No-Store "false";    // Prevent the cache from storing archives
    Dl-Limit "<INT>"; // Kb/sec maximum download rate
    User-Agent "Debian APT-HTTP/1.3";
    User-Agent-Non-Interactive "false"; // include non-interactive if run in systemd service (true on Ubuntu)
    Referer "<STRING>"; // Set the HTTP Referer [sic!] header to given value
  };

  // HTTPS method configuration: uses the http
  // - proxy config
  // - cache-control values
  // - Dl-Limit, Timeout, ... values
  // if not set explicit for https
  https
  {
	Verify-Peer "false";
	SslCert "/etc/apt/some.pem";
	CaPath  "/etc/ssl/certs";
	Verify-Host "true";
	AllowRanges "<BOOL>";
	AllowRedirect "<BOOL>";

	Timeout "30";
	ConnectionAttemptDelayMsec "250";

	// Cache Control. Note these do not work with Squid 2.0.2
	No-Cache "false";
	Max-Age "86400";     // 1 Day age on index files
	No-Store "false";    // Prevent the cache from storing archives
	Dl-Limit "<INT>"; // Kb/sec maximum download rate

	User-Agent "Debian APT-CURL/1.0";
  };

  ftp
  {
    Proxy "ftp://127.0.0.1/";
    Proxy::http.us.debian.org "DIRECT"; // Specific per-host setting

    /* Required script to perform proxy login. This example should work
       for tisfwtk */
    ProxyLogin
    {
       "USER $(PROXY_USER)";
       "PASS $(PROXY_PASS)";
       "USER $(SITE_USER)@$(SITE):$(SITE_PORT)";
       "PASS $(SITE_PASS)";
    };
    
    Timeout "30";
    ConnectionAttemptDelayMsec "250";
    
    /* Passive mode control, proxy, non-proxy and per-host. Pasv mode
       is preferred if possible */
    Passive "true";
    Proxy::Passive "true";
    Passive::http.us.debian.org "true"; // Specific per-host setting
  };
  
  cdrom
  {
    AutoDetect "<BOOL>"; // do auto detection of the cdrom mountpoint
    // when auto-detecting, only look for cdrom/dvd. when this is false
    // it will support any removable device as a "cdrom" source
    CdromOnly "true";
    
    // cdrom mountpoint (needs to be defined in fstab if AutoDetect is not used)
    mount "/cdrom";

    // You need the trailing slash!
    "/cdrom/"
    {
       Mount "sleep 1000";
       UMount "sleep 500";
    }
  };

  gpgv
  {
   Options {"--ignore-time-conflict";}	// not very useful on a normal system
  };

  /* CompressionTypes
  {
    bz2 "bzip2";
    lzma "lzma";
    gz "gzip";

    Order { "uncompressed"; "gz"; "lzma"; "bz2"; };
  }; */
  CompressionTypes::Order "<LIST>";
  CompressionTypes::* "<STRING>";

  Languages "<LIST>"; // "environment,de,en,none,fr";

  // Location of the changelogs with the placeholder @CHANGEPATH@ (e.g. "main/a/apt/apt_1.1")
  Changelogs::URI
  {
    // Origin::Debian "https://metadata.ftp-master.debian.org/changelogs/@CHANGEPATH@_changelog";
    Origin::* "<STRING>";
    Label::* "<STRING>";
    Override::Origin::* "<STRING>";
    Override::Label::* "<STRING>";
  };
  Changelogs::AlwaysOnline "<BOOL>"; // even if the changelog file exists get it online (as the file is incomplete)
  Changelogs::AlwaysOnline::Origin::* "<BOOL>";
};

// Directory layout
Dir "<DIR>"
{
  Ignore-Files-Silently "<LIST>"; // of regexes: "\.dpkg-[a-z]+$,\.bak$,~$";

  // Location of the state dir
  State "<DIR>"
  {
     Lists "<DIR>";
     status "<FILE>";
     extended_states "<FILE>";
     cdroms "<FILE>";
  };

  // Location of the cache dir
  Cache "<DIR>" {
     Archives "<DIR>";
     Backup "backup/"; // backup directory created by /etc/cron.daily/apt
     srcpkgcache "<FILE>";
     pkgcache "<FILE>";
  };

  // Config files
  Etc "<DIR>" {
     Main "<FILE>";
     Netrc "<FILE>";
     NetrcParts "<DIR>";
     Parts "<DIR>";
     Preferences "<FILE>";
     PreferencesParts "<DIR>";
     SourceList "<FILE>";
     SourceParts "<DIR>";
     Trusted "<FILE>";
     TrustedParts "<DIR>";
     Machine-ID "<FILE>";   // by default points to ../machine-id effectively
  };

  // Locations of binaries
  Bin {
     methods "<DIR>";
     methods::* "<FILE>";
     gpg  "/usr/bin/gpgv";
     dpkg "<PROGRAM_PATH>";
     dpkg-source "<PROGRAM_PATH>";
     dpkg-buildpackage "/usr/bin/dpkg-buildpackage";
     lz4 "<PROGRAM_PATH>";
     zstd "<PROGRAM_PATH>";
     gzip "<PROGRAM_PATH>";
     xz "<PROGRAM_PATH>";
     bzip2 "<PROGRAM_PATH>";
     lzma "<PROGRAM_PATH>";
     uncompressed "<PROGRAM_PATH>";
     ischroot "<PROGRAM_PATH>";

     solvers "<LIST>"; // of directories
     planners "<LIST>"; // of directories
  };

  // Location of the logfiles
  Log "<DIR>" {
     Terminal "<FILE>";
     History "<FILE>";
     Solver "<FILE>";
     Planner "<FILE>";
  };

  Media
  {
     MountPath "/media/apt"; // Media AutoDetect mount path
  };
};

// Things that effect the APT dselect method
DSelect
{
   Clean "auto";   // always|auto|prompt|never
   Options "-f";
   UpdateOptions "";
   PromptAfterUpdate "no";
   CheckDir "no";
}

DPkg
{
   NoTriggers "<BOOL>";
   ConfigurePending "<BOOL>";
   TriggersPending "<BOOL>";

   // Probably don't want to use force-downgrade..
   Options {"--force-overwrite";"--force-downgrade";}

   // Defaults to /usr/sbin:/usr/bin:/sbin:/bin, might be set to empty
   // string to inherit from environment
   Path "<STRING>";

   // Auto re-mounting of a readonly /usr
   Pre-Invoke {"mount -o remount,rw /usr";};
   Post-Invoke {"mount -o remount,ro /usr";};

   Chroot-Directory "/";

   // Prevents daemons from getting cwd as something mountable (default)
   Run-Directory "/";

   // Build options for apt-get source --compile
   Build-Options "-b -uc";

   // Pre-configure all packages before they are installed using debconf.
   Pre-Install-Pkgs {"dpkg-preconfigure --apt --priority=low --frontend=dialog";};

   // Flush the contents of stdin before forking dpkg.
   FlushSTDIN "true";

   MaxArgBytes "<INT>"; // Control the size of the command line passed to dpkg.
   Install::Recursive "<BOOL>" // avoid long commandlines by recursive install in a tmpdir
   {
      force "<BOOL>"; // not all dpkg versions support this, so autodetection is default
      minimum "<INT>"; // don't bother if its just a few packages
      numbered "<BOOL>"; // avoid M-A:same ordering bug in dpkg
   };

   UseIONice "<BOOL>";

   // controls if apt will apport on the first dpkg error or if it 
   // tries to install as many packages as possible
   StopOnError "true";

   Progress-Fancy {
      progress-fg "<STRING>";
      progress-bg "<STRING>";
      progress-bar "<BOOL>";
   };

   // Set a shutdown block inhibitor on systemd systems while running dpkg
   Inhibit-Shutdown "<BOOL>";
}

/* Options you can set to see some debugging text They correspond to names
   of classes in the source code */
Debug 
{
  pkgInitConfig "<BOOL>";
  pkgProblemResolver "<BOOL>";
  pkgProblemResolver::ShowScores "<BOOL>";
  pkgDepCache::AutoInstall "<BOOL>"; // what packages apt installs to satisfy dependencies
  pkgDepCache::Marker "<BOOL>";
  pkgCacheGen "<BOOL>";
  pkgAcquire "<BOOL>";
  pkgAcquire::Worker "<BOOL>";
  pkgAcquire::Auth "<BOOL>";
  pkgAcquire::Diffs "<BOOL>";
  pkgDPkgPM "<BOOL>";
  pkgDPkgProgressReporting "<BOOL>";
  pkgOrderList "<BOOL>";
  pkgPackageManager "<BOOL>"; // OrderList/Configure debugging
  pkgAutoRemove "<BOOL>";   // show information about automatic removes
  BuildDeps "<BOOL>";
  pkgInitialize "<BOOL>";   // This one will dump the configuration space
  NoLocking "<BOOL>";
  Acquire::Ftp "<BOOL>";    // Show ftp command traffic
  Acquire::Http "<BOOL>";   // Show http command traffic
  Acquire::Https "<BOOL>";   // Show https debug
  Acquire::gpgv "<BOOL>";   // Show the gpgv traffic
  Acquire::cdrom "<BOOL>";   // Show cdrom debug output
  Acquire::Transaction "<BOOL>";
  Acquire::Progress "<BOOL>";
  Acquire::Retries "<BOOL>";    // Debugging for retries, especially delays
  aptcdrom "<BOOL>";        // Show found package files
  IdentCdrom "<BOOL>";
  acquire::netrc "<BOOL>";  // netrc parser
  RunScripts "<BOOL>";      // debug invocation of external scripts
  pkgPolicy "<BOOL>";
  GetListOfFilesInDir "<BOOL>";
  pkgAcqArchive::NoQueue "<BOOL>";
  Hashes "<BOOL>";
  APT::FtpArchive::Clean "<BOOL>";
  EDSP::WriteSolution "<BOOL>";
  InstallProgress::Fancy "<BOOL>";
  APT::Progress::PackageManagerFd "<BOOL>";
  SetupAPTPartialDirectory::AssumeGood "<BOOL>";
  Locking "<BOOL>";
  Phasing "<BOOL>";
};

pkgCacheGen
{
  Essential "<STRING>"; // native,all, none, installed
  Protected "<STRING>"; // native,all, none, installed
  ForceEssential "<STRING_OR_LIST>"; // package names
  ForceImportant "<LIST>"; // package names
};

// modify points awarded for various facts about packages while
// resolving conflicts in the dependency resolution process
pkgProblemResolver::Scores
{
  Required "<INT>";
  Important "<INT>";
  Standard "<INT>";
  Optional "<INT>";
  Extra "<INT>";
  Essentials "<INT>";
  NotObsolete "<INT>";
  Depends "<INT>";
  PreDepends "<INT>";
  Suggests "<INT>";
  Recommends "<INT>";
  Conflicts "<INT>";
  Replaces "<INT>";
  Obsoletes "<INT>";
  Breaks "<INT>";
  Enhances "<INT>";
  AddProtected "<INT>";
  AddEssential "<INT>";
};
pkgProblemResolver::FixByInstall "<BOOL>";
pkgProblemResolver::MaxCounter "<INT>";

APT::FTPArchive::release
{
   Default-Patterns "<BOOL>";
   NumericTimezone "<BOOL>";

   // set specific fields in the generated Release file
   Acquire-By-Hash "<BOOL>";
   ButAutomaticUpgrades "<BOOL>";
   NotAutomatic "<BOOL>";
   MD5 "<BOOL>";
   SHA1 "<BOOL>";
   SHA256 "<BOOL>";
   SHA512 "<BOOL>";
   Architectures "<STRING>";
   Codename "<STRING>";
   Components "<STRING>";
   Date "<STRING>";
   Description "<STRING>";
   Label "<STRING>";
   Origin "<STRING>";
   Signed-by "<STRING>";
   Suite "<STRING>";
   Version "<STRING>";
};

Debug::NoDropPrivs "<BOOL>";
APT::Sandbox
{
   User "<STRING>";
   ResetEnvironment "<BOOL>";
   Verify "<BOOL>"
   {
      Groups "<BOOL>";
      IDs "<BOOL>";
      Regain "<BOOL>";
   };
   seccomp "<BOOL>"
   {
      print "<BOOL>"; // print what syscall was trapped
      allow "<LIST>";
      trap "<LIST>";
   };
};

// having both seems wrong
dpkgpm::progress "<BOOL>";
dpkg::progress "<BOOL>";
apt::acquire::by-hash "<STRING>";
acquire::by-hash "<STRING>";
apt::acquire::*::by-hash "<STRING>";
acquire::*::by-hash "<STRING>";

// Unsorted options: Some of those are used only internally

help "<BOOL>"; // true if the help message was requested via e.g. --help
version "<BOOL>"; // true if the version number was requested via e.g. --version
Binary "<STRING>"; // name of the program run like apt-get, apt-cache, …

dir::locale "<DIR>";
dir::bin::dpkg-source "<STRING>";

pkgcachefile::generate "<BOOL>";
packagemanager::unpackall "<BOOL>";
packagemanager::configure "<STRING>";
commandline::asstring "<STRING>";
edsp::scenario "<STRING>";
eipp::scenario "<STRING>";
cd::* "<STRING>"; // added CDRoms are stored as config

orderlist::score::delete "<INT>";
orderlist::score::essential "<INT>";
orderlist::score::immediate "<INT>";
orderlist::score::predepends "<INT>";

apt::sources::with "<LIST>";
apt::moo::color "<BOOL>";
apt::pkgpackagemanager::maxloopcount "<INT>";
apt::hashes::*::untrusted "<BOOL>";
apt::list-cleanup "<BOOL>";
apt::authentication::trustcdrom "<BOOL>";
apt::solver::strict-pinning "<BOOL>";
apt::keep-downloaded-packages "<BOOL>";
apt::solver "<STRING>";
apt::planner "<STRING>";
apt::system "<STRING>";
apt::acquire::translation "<STRING>"; // deprecated in favor of Acquire::Languages
apt::color::highlight "<STRING>";
apt::color::neutral "<STRING>";

dpkgpm::reporting-steps "<INT>";

dpkg::chroot-directory "<DIR>";
dpkg::tools::options::** "<UNDEFINED>";
dpkg::source-options "<STRING>";
dpkg::progress-fancy "<BOOL>";
dpkg::selection::remove::approved "<BOOL>";
dpkg::remove::crossgrade::implicit "<BOOL>";
dpkg::selection::current::saveandrestore "<BOOL>";
dpkg::use-pty "<BOOL>";
dpkg::lock::timeout "<INT>";

apt::cmd::disable-script-warning "<BOOL>";
apt::cmd::show-update-stats "<BOOL>";
apt::cmd::use-format "<BOOL>";
apt::cmd::manual-installed "<BOOL>";
apt::cmd::upgradable "<BOOL>";
apt::cmd::installed "<BOOL>";
apt::cmd::list-include-summary "<BOOL>";
apt::cmd::use-regexp "<BOOL>";
apt::cmd::all-versions "<BOOL>";
apt::cmd::format "<STRING>";
apt::cmd::pattern-only "<BOOL>";  // internal

apt::config::dump::emptyvalue "<BOOL>";
apt::config::dump::format "<STRING>";

apt::mark::simulate "<BOOL>";
apt::markauto::verbose "<BOOL>";
apt::sortpkgs::source "<BOOL>";
apt::extracttemplates::tempdir "<STRING>";

apt::key::archivekeyring "<STRING>";
apt::key::removedkeys "<STRING>";
apt::key::gpgvcommand "<STRING>";
apt::key::gpgcommand "<STRING>";
apt::key::masterkeyring "<STRING>";
apt::key::archivekeyringuri "<STRING>";
apt::key::net-update-enabled "<STRING>";

apt::ftparchive::release::patterns "<LIST>";
apt::ftparchive::release::validtime "<INT>";
apt::ftparchive::by-hash-keep "<INT>";
apt::ftparchive::delinkact "<BOOL>";
apt::ftparchive::md5 "<BOOL>";
apt::ftparchive::sha1 "<BOOL>";
apt::ftparchive::sha256 "<BOOL>";
apt::ftparchive::sha512 "<BOOL>";
apt::ftparchive::dobyhash "<BOOL>";
apt::ftparchive::showcachemisses "<BOOL>";
apt::ftparchive::sources::md5 "<BOOL>";
apt::ftparchive::sources::sha1 "<BOOL>";
apt::ftparchive::sources::sha256 "<BOOL>";
apt::ftparchive::sources::sha512 "<BOOL>";
apt::ftparchive::packages::md5 "<BOOL>";
apt::ftparchive::packages::sha1 "<BOOL>";
apt::ftparchive::packages::sha256 "<BOOL>";
apt::ftparchive::packages::sha512 "<BOOL>";
apt::ftparchive::dobyhash "<BOOL>";
apt::ftparchive::readonlydb "<BOOL>";
apt::ftparchive::nooverridemsg "<BOOL>";
apt::ftparchive::alwaysstat "<BOOL>";
apt::ftparchive::contents "<BOOL>";
apt::ftparchive::contentsonly "<BOOL>";
apt::ftparchive::longdescription "<BOOL>";
apt::ftparchive::includearchitectureall "<BOOL>";
apt::ftparchive::architecture "<STRING>";
apt::ftparchive::db "<STRING>";
apt::ftparchive::sourceoverride "<STRING>";

apt-helper::cat-file::compress "<STRING>";

acquire::cdrom::mount "<DIR>";
acquire::maxreleasefilesize "<INT>";
acquire::queuehost::limit "<INT>";
acquire::max-pipeline-depth "<INT>";
acquire::progress::diffpercent "<BOOL>";
acquire::gzipindexes "<BOOL>";
acquire::indextargets::randomized "<BOOL>";
acquire::indextargets::deb::** "<UNDEFINED>";
acquire::indextargets::deb-src::** "<UNDEFINED>";
acquire::progress::ignore::showerrortext "<BOOL>";
acquire::*::dl-limit "<INT>"; // catches file: and co which do not have these
methods::mirror::problemreporting "<STRING>";
acquire::http::proxyautodetect "<STRING>";
acquire::http::proxy-auto-detect "<STRING>";
acquire::http::proxy::* "<STRING>";
acquire::https::proxyautodetect "<STRING>";
acquire::https::proxy-auto-detect "<STRING>";
acquire::https::proxy::* "<STRING>";

// Options used by apt-ftparchive
dir::archivedir "<DIR>";
dir::cachedir "<DIR>";
dir::overridedir "<DIR>";
filemode "<INT>";
longdescription "<BOOL>";
external-links "<BOOL>";
default::contentsage "<INT>";
default::maxcontentschange "<INT>";
default::filemode "<INT>";
default::longdescription "<BOOL>";
default::translation::compress "<STRING>";
default::contents::compress "<STRING>";
default::sources::compress "<STRING>";
default::packages::compress "<STRING>";
default::sources::extensions "<STRING>";
default::packages::extensions "<STRING>";
treedefault::directory "<STRING>";
treedefault::srcdirectory "<STRING>";
treedefault::packages "<STRING>";
treedefault::translation "<STRING>";
treedefault::internalprefix "<STRING>";
treedefault::contents "<STRING>";
treedefault::contents::header "<STRING>";
treedefault::bincachedb "<STRING>";
treedefault::srccachedb "<STRING>";
treedefault::sources "<STRING>";
treedefault::filelist "<STRING>";
treedefault::sourcefilelist "<STRING>";
sections "<STRING>";
architectures "<STRING>";
binoverride "<STRING>";
internalprefix "<STRING>";
bincachedb "<STRING>";
directory "<STRING>";
packages "<STRING>";
translation "<STRING>";
contents "<STRING>";
filelist "<STRING>";
extraoverride "<STRING>";
pathprefix "<STRING>";
srcdirectory "<STRING>";
sources "<STRING>";
sourcefilelist "<STRING>";
srcextraoverride "<STRING>";
srccachedb "<STRING>";
srcoverride "<STRING>";
contents::header "<STRING>";
packages::compress "<STRING>";
sources::compress "<STRING>";
contents::compress "<STRING>";
translation::compress "<STRING>";
sources::extensions "<STRING>";
packages::extensions "<STRING>";
dir::filelistdir "<STRING>";

// Internal code.
dir::dpkg::tupletable "<FILE>";
dir::dpkg::triplettable "<FILE>";
dir::dpkg::cputable "<FILE>";
Rred::t "<BOOL>";
Rred::f "<BOOL>";
Rred::Compress "<STRING>";

APT::Internal::OpProgress::Absolute "<BOOL>";
APT::Color "<BOOL>";

update-manager::always-include-phased-updates "<BOOL>";
update-manager::never-include-phased-updates "<BOOL>";
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             Package:  *
Pin:  release a=stable
Pin-Priority:  500

Package:  *
Pin:  release a=testing
Pin-Priority:  101

Package:  *
Pin:  release a=unstable
Pin-Priority:  99
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          # See sources.list(5) manpage for more information
# Remember that CD-ROMs, DVDs and such are managed through the apt-cdrom tool.
deb http://deb.debian.org/debian bookworm main contrib non-free non-free-firmware
deb http://deb.debian.org/debian bookworm-updates main contrib non-free non-free-firmware
deb http://deb.debian.org/debian-security bookworm-security main contrib non-free non-free-firmware

# Uncomment if you want the apt-get source function to work
#deb-src http://deb.debian.org/debian bookworm main contrib non-free
#deb-src http://deb.debian.org/debian bookworm-updates main contrib non-free
#deb-src http://deb.debian.org/debian-security bookworm-security main contrib non-free
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        # the private library is for internal sharing only
apt: package-name-doesnt-match-sonames
apt: exit-in-shared-library [usr/lib*/libapt-private.so.0.0.0]
# we are implementing our own fallback and it is a minor usecase only
apt: missing-depends-on-sensible-utils sensible-pager [usr/lib*/libapt-private.so.0.0.0]
# these man pages document usage/config for things called via apt
apt: spare-manual-page [usr/share/man*/man1/apt-transport-http.1.gz]
apt: spare-manual-page [usr/share/man*/man1/apt-transport-https.1.gz]
apt: spare-manual-page [usr/share/man*/man1/apt-transport-mirror.1.gz]
apt: spare-manual-page [usr/share/man*/man8/apt-secure.8.gz]
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      	        
     
        
     
     ,
     @
     Z
     v
     
  
   
     
     
     
  $   
     
  $   
  #        6     E  ;   L  T               #             /     ?     O     _  -   {                              
  5   %      [  #   |       &               +   	     5  
   R     ]  7   w                              "     1     B     ]  
   l  @   w  *     
     ,          @   *  &   k  
     1          5        #  $   A  !   f  (               -     (        7  3   F     z  l          
        	  ?     8   _  
          =     &        (  (   F     o            5     4     ,     -   K  ,   y  <     +     *     '   :  (   b  &     .     %     )        1     K     `     z                            #     &   C  R   j  &          %      "   &  $   I     n  ;          \        7  ~   T  8                   ,     9  '   ;  B   c  ,                    I        5     I     c  #               E     2        N"     ]"     l"  ,   {"     "  )   "  ,   "     #     1#     7#     C#     L#     R#  6   d#     #  8   #  =   #     1$     B$  J   O$     $     %     &%  7   A%  %   y%  "   %     %     %  !   %  2   &     F&     \&     w&      &      &      &  I   &  '   :'  3   b'  ,   '  9   '  "   '  "    (  =   C(  %   (  
   (  ,   (  [   (  ,   >)     k)     r)  ,   )  '   )     )     )     *  !   4*  
   V*  k   d*  E   *     +  ;   (+     d+  R   v+  ;   +     ,  X   ,  *   v,  M   ,  3   ,  ?   #-  8   c-  B   -  $   -  %   .  /   *.  G   Z.     .  F   .      /     /     /     /     /  \   0  \   y0     0  $   0  V   1  3   h1  '   1  4   1     1      2  %   72  ^   ]2  ]   2  <   3  =   W3  =   3  K   3  9   4  .   Y4  .   4  .   4  0   4  1   5  5   I5  +   5  2   5     5  %   5  $   #6  6   H6  2   6  %   6      6  +   6  0   %7  9   V7     7  5   8  ,   M8  +   z8  4   8  H   8  #   $9  m   H9     9  ~   9  &   R:     y:  I   %;  !   o;     ;  "   ;     ;  .   ;  U    <  A   V<     <     <     <  o   <      =  $   8=  #   ]=  (   =  ,   =  !   =  r   =     w      R   b                  q          E   D   o   T   \      L           ;             !      e      V      a       >                   r               3      <   0   y   ]             |   M             =          8   .          	      +   v      t   j           f   G           Z   '   S   x   p      4      -   U   z   &   h   A                  B   P   5   X   @                  `          9          7      :       J                     d              )   l      {          ~      n           
   1   O   I          }          u   W   #      ?          $   i   K                         *               [   
   C   m   H   s   c           N   2   %                     6          ,   /              "          g          ^   (       Y                      k   F   _   Q             Candidate:    Installed:    Missing:    Mixed virtual packages:    Normal packages:    Pure virtual packages:    Single virtual packages:    Version table:  Done  [Working]  failed.  or %lu downgraded,  %lu not fully installed or removed.
 %lu reinstalled,  %lu to remove and %lu not upgraded.
 %lu upgraded, %lu newly installed,  %s (due to %s) (none) --fix-missing and media swapping is not currently supported A proxy server was specified but no login script, Acquire::ftp::ProxyLogin is empty. Abort. Aborting install. Authentication warning overridden.
 Bad default setting! Bad header data Bad header line Broken packages Build command '%s' failed.
 Cannot initiate the connection to %s:%s (%s). Connecting to %s Connecting to %s (%s) Connection failed Connection timed out Connection timeout Correcting dependencies... Could not connect to %s:%s (%s), connection timed out Could not connect to %s:%s (%s). Couldn't determine free space in %s Couldn't find package %s Data transfer failed, server said '%s' Disk not found. Do you want to continue? Download complete and in download only mode EPRT failed, server said: %s Err:%lu %s Error reading from server Error reading from server. Remote end closed connection Error writing to file Failed Failed to fetch %s  %s Failed to fetch some archives. Failed to set modification time Failed to stat Fetch source %s
 Fetched %sB in %s (%sB/s)
 File not found Get:%lu %s How odd... The sizes didn't match, email apt@packages.debian.org However the following packages replace it: Ign:%lu %s Install these packages without verification? Internal error Internal error, InstallPackages was called with broken packages! Internal error, Ordering didn't finish Logging in Login script command '%s' failed, server said: %s Merging available information Must specify at least one package to fetch source for Need to get %sB of archives.
 Need to get %sB of source archives.
 Need to get %sB/%sB of archives.
 Need to get %sB/%sB of source archives.
 No packages found PASS failed, server said: %s Package %s is a virtual package provided by:
 Package %s version %s has an unmet dep:
 Package files: Packages need to be removed but remove is disabled. Pinned packages: Please use apt-cdrom to make this CD-ROM recognized by APT. apt-get update cannot be used to add new CD-ROMs Query Read error Recommended packages: Reinstallation of %s is not possible, it cannot be downloaded.
 Repeat this process for the rest of the CDs in your set. Select failed Server closed the connection Skipping %s, it is already installed and upgrade is not set.
 Skipping already downloaded file '%s'
 Some files failed to download Some packages could not be authenticated Suggested packages: Supported modules: TYPE failed, server said: %s The HTTP server sent an invalid Content-Length header The HTTP server sent an invalid Content-Range header The HTTP server sent an invalid reply header The following NEW packages will be installed: The following held packages will be changed: The following information may help to resolve the situation: The following packages have been kept back: The following packages will be DOWNGRADED: The following packages will be REMOVED: The following packages will be upgraded: The list of sources could not be read. The server refused the connection and said: %s The update command takes no arguments This HTTP server has broken range support Total Provides mappings:  Total dependencies:  Total distinct versions:  Total package names:  Total space accounted for:  Total ver/file relations:  USER failed, server said: %s Unable to accept connection Unable to correct dependencies Unable to correct missing packages. Unable to fetch file, server said '%s' Unable to fetch some archives, maybe run apt-get update or try with --fix-missing? Unable to find a source package for %s Unable to locate package %s Unable to lock the download directory Unable to minimize the upgrade set Unable to read the cdrom database %s Unable to send PORT command Unable to unmount the CD-ROM in %s, it may still be in use. Unknown date format Unmet dependencies. Try 'apt --fix-broken install' with no packages (or specify a solution). Unpack command '%s' failed.
 WARNING: The following essential packages will be removed.
This should NOT be done unless you know exactly what you are doing! WARNING: The following packages cannot be authenticated! Waiting for headers Write error Wrong CD-ROM Y You don't have enough free space in %s. You might want to run 'apt --fix-broken install' to correct these. You should explicitly select one to install. [IP: %s %s] [Y/n] [y/N] above this message are important. Please fix them and run [I]nstall again but %s is installed but %s is to be installed but it is a virtual package but it is not going to be installed but it is not installable but it is not installed or errors caused by missing dependencies. This is OK, only the errors Project-Id-Version: apt 1.0.5
Report-Msgid-Bugs-To: APT Development Team <deity@lists.debian.org>
PO-Revision-Date: 2006-10-20 21:28+0300
Last-Translator: Ossama M. Khayat <okhayat@yahoo.com>
Language-Team: Arabic <support@arabeyes.org>
Language: ar
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Poedit-Language: Arabic
X-Poedit-Country: Lebanon
X-Poedit-SourceCharset: utf-8
X-Generator: KBabel 1.11.4
Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;
   مرشّح:   مُثبّت:  مفقودة:  الحزم الوهمية المختلطة:  الحزم العادية: الحزمة الوهمية تماماً:  الحزمة الوهمية المفردة:  جدول النسخ:  تم  [يعمل]  فشل.  أو %lu مثبطة،  %lu غير مثبتة بالكامل أو مزالة.
 %lu أعيد تثبيتها،  %lu لإزالتها و %lu لم يتم ترقيتها.
 %lu سيتم ترقيتها، %lu مثبتة حديثاً،   %s (بسبب %s) (لاشيء) --fix-missing وتبديل الأوساط غير مدعومة حالياً تم تحديد خادم بروكسي ولكن دون نص تسجيل دخول برمجي،  Acquire::ftp::ProxyLogin فارغ. إجهاض. إجهاض التثبيت. تم غض النظر عن تحذير المصادقة.
 إعداد افتراضيّ سيّء! بيانات ترويسة سيئة سطر ترويسة سيء حزم معطوبة أمر البناء '%s' فشل.
 تعذر تمهيد الاتصال بـ%s:%s (%s). الاتصال بـ%s الاتصال بـ%s (%s) فشل الاتصال انتهى وقت الاتصال انتهى وقت الاتصال تصحيح المعتمدات... تعذر الاتصال بـ%s:%s (%s)، انتهى وقت الاتصال تعذر الاتصال بـ%s:%s (%s). تعذر حساب المساحة الحرة في %s تعذر العثور على الحزمة %s فشل نقل البيانات، ردّ الخادم '%s' لم يُعثر على القرص. هل تريد الاستمرار؟ اكتمل التنزيل وفي وضع التنزيل فقط فشل EPRT، ردّ الخادم: %s خطأ:%lu %s خطأ في القراءة من الخادم خطأ في القراءة من الخادم. أقفل الطرف الآخر الاتصال خطأ في الكتابة إلى الملف فشل فشل إحضار %s  %s فشل إحضار بعض الأرشيفات. فشل تعيين وقت التعديل فشيل تنفيذ stat إحضار المصدر %s
 جلب %sب في %s (%sب/ث)
 لم يُعثر على الملف جلب:%lu %s يا للغرابة... لم تتطابق الأحجام، الرجاء مراسلة apt@packages.debian.org على أيّ فإن الحزم التالية تحلّ مكانها: تجاهل:%lu %s تثبيت هذه الحزم دون التحقق منها؟ خطأ داخلي خطأ داخلي، تم طلب InstallPackages مع وجود حزم معطوبة! خطأ داخلي، لم تنته عملية الترتيب تسجيل الدخول فشل أمر نص تسجيل الدخول البرمجي '%s'، ردّ الخادم: %s دمج المعلومات المتوفرة يجب تحديد حزمة واحدة على الأقل لجلب مصدرها بحاجة إلى جلب %sب من الأرشيف.
 يجب جلب %sب من الأرشيفات المصدريّة.
 بحاجة إلى جلب %sب/%sب من الأرشيف.
 يجب جلب %sب/%sب من الأرشيفات المصدرية.
 لم يُعثر على أية حزم فشل PASS، ردّ الخادم: %s الحزمة %s وهميّة وتوفّرها:
 الحزمة %s النسخة %s لها معتمد غير مستوفى:
 ملفات الحزم: حزم بحاجة للإزالة لكن الإزالة مُعطّلة. الحزم المُدبّسة: الرجاء استخدام apt-cdrom لتعريف APT بهذا القرص المدمج. لا يمكن استخدام apt-get update لإضافة أقراص مدمجة جديدة. استعلام خطأ في القراءة الحزم المستحسنة: إعادة تثبيت  %s غير ممكنة، حيث أنّه لا يمكن تنزيلها.
 كرر هذه العملية لباقي الأقراص المدمجة في المجموعة. فشل التحديد أغلق الخادم الاتصال تخطّي %s، حيث أنها مثبتة ولم يتمّ تعيين الترقية.
 تخطي الملف '%s' المنزل مسبقاً
 فشل تنزيل بعض الملفات تعذرت المصادقة على بعض الحزم الحزم المقترحة: الوحدات المدعومة: فشل TYPE، ردّ الخادم: %s أرسل خادم http ترويسة طول محتويات (ِContent-Length) غير صالحة أرسل خادم http ترويسة مدى محتويات (ِContent-Range) غير صالحة أرسل خادم http ترويسة ردّ غير صالحة سيتم تثبيت الحزم الجديدة التالية: سيتم تغيير الحزم المبقاة التالية: قد تساعد المعلومات التالية في حل المشكلة: سيتم الإبقاء على الحزم التالية: سيتم تثبيط الحزم التالية: سيتم إزالة الحزم التالية: ستتم ترقية الحزم التالية: تعذرت قراءة قائمة المصادر. رفض الخادم اتصالنا بالرد: %s لا يقبل الأمر update أية مُعطيات خادم http له دعم مدى معطوب مجموع علاقات النسخ/الملفات: مجموع المعتمدات: مجموع النسخ الفريدة: أسماء الحزم الكلية : مجموع المساحة المحسوب حسابها: مجموع علاقات النسخ/الملفات: فشل USER، ردّ الخادم: %s تعذر قبول الاتصال لم يمكن تصحيح المعتمدات تعذر تصحيح الحزم المفقودة. تعذر إحضار الملف، ردّ الخادم '%s' تعذر إحضار بعض الأرشيف، ربما يمكنك محاولة تنفيذ apt-get update أو إضافة --fix-missing؟ تعذر العثور على مصدر الحزمة %s تعذر العثور على الحزمة %s تعذر قَفْل دليل التنزيل لم يمكن تقليص مجموعة الترقية تعذرت قراءة قاعدة بيانات القرص المدمج %s تعذر إرسال الأمر PORT تعذر فكّ القرص المدمج من %s، إذ قد يكون لا يزال قيد الاستخدام. نسق تاريخ مجهول مُعتمدات غير مستوفاة. جرب 'apt --fix-broken install' بدون أسماء حزم (أو حدّد حلاً). أمر فك الحزمة '%s' فشل.
 تحذير: ستتم إزالة الحزم الأساسية التالية.
لا يجب أن تقوم بهذا إلى إن كنت تعرف تماماً ما تقوم به! تحذير: تعذرت المصادقة على الحزم التالية! بانتظار الترويسات خطأ في الكتابة القرص المدمج الخطأ Y ليس هناك مساحة كافية في %s. قد ترغب بتنفيذ الأمر 'apt --fix-broken install' لتصحيح هذه. يجب اختيار واحدة بالتحديد لتثبيتها. [IP: %s %s] [Y/n] [y/N] أعلى هذه الرسالة مهمّة. الرجاء تصحيحها وتشغيل التثبيت مجدداً إلا أن %s مثبت إلا أنه سيتم تثبيت %s إلا أنها حزمة وهمية إلا أنه لن يتم تثبيتها إلا أنه غير قابل للتثبيت إلا أنها غير مثبتة أو أخطاء سبّبتها المُعتمدات المفقودة. لا بأس بهذا، فقط الأخطاء                                                                                                                                                                                                                                                                                                                                                                                                                                 Q           
     
             )     D     X     r                 
                    $               $     #               #        ?     ^  ;   e  T     !               4   1  A   f       /     #             (     8     H     X  0   t  -     .     0        3     D     Z     x                      3     !     5   ;      q       1     %     E        J     i  #                    &          $   (     M  :   f  +                    "   "     E  7   _            '                    $   /     T     t                           
     
     x       @   y   *      1      ,   !  '   D!     l!  @   {!  &   !  ,   !  I   "  .   Z"  ,   "  
   "  1   "     "  8   #  5   J#     #  O   P$     $  $   $  !   $  (   %     .%  $   @%  #   e%  %   %  8   %     %  -   &     3&  (   &  *   	'     4'  3   C'     w'  /   '     '  B   '  l   (     {(     (     (  
   (     (     (  ?   (  (   ()     Q)      a)  8   )     )  +   )  
   *  $   *     9*  &   V*     }*  -   *  1   *     *  =   +  B   D+  &   +  1   +  B   +     #,  (   A,     j,  5   Q-     -     -     -      -  5   -  4   ".  ,   W.  -   .  ,   .  <   .     /     /  +   0  /   0  *   0  '   1  (   ;1  W   d1  '   1  &   1  .   2  %   :2     `2  )   2     2     2     2     2     3     ,3     D3     Z3     u3     3     3  ;   3     3     4     54     Q4  #   p4  "   4  !   4  &   4  R    5  &   S5  1   z5     5     5  %   5  "    6  $   #6     H6  ;   d6      6     6     6  \   6     R7  ,   o7  ,   7  ~   7  8   H8     8  <   8     8     8     8  '   8  B   9  )   X9  ,   9     9     9     9  I   9     :     %:     ?:  #   [:     :     :  0   :  E   :  7   (;    `;  
   <  
   <  
   	=     =     4=     J=  !   g=     =     =     =     =     =     =     =  )   =     >     >  +   >  '   >     ?  +   ?  -   J?  (   x?  	   ?  ;   ?  a   ?  !   I@  
   k@     v@  >   @  D   @     A  #   1A      UA     vA     A     A     A     A  M   A  "   BB  1   eB  -   B     B     B  "   B     
C     C     <C     YC  "   qC  F   C  &   C  ?   D  "   BD     eD  2   D  )   D  J   D     )E     IE  *   cE      E  1   E  %   E  6   F     >F  2   SF     F  <   F  ,   F     G  !   G  (   =G  +   fG     G  ?   G     G     H  %   H     9H  &   OH     vH  3   H  +   H     H     I     I     +I     II     `I  
   {I  
   I     I  H   J  .   ^J  5   J  -   J  (   J  
   K  ?   (K      hK  3   K  M   K  5   L  .   AL     pL  >   yL  "   L  V   L  9   2M     lM  N   bN  "   N  *   N  &   N  .   &O     UO  #   pO  %   O  $   O  :   O  2   P  0   MP     ~P  6   Q  2   UQ     Q  =   Q     Q  9   Q     *R  6   AR  o   xR  /   R     S     2S     ;S     MS  /   bS  :   S  4   S     T     T  /   3T      cT  E   T     T  $   T     U  '   !U      IU  <   jU  <   U     U  A   V  B   DV  '   V  ?   V  X   V  '   HW  (   pW     W  3   X     X     X  ,   X     Y  @   %Y  ?   fY  ;   Y  -   Y  /   Z  =   @Z     ~Z     Y[  &   [  1   \  +   L\  (   x\  (   \  Y   \  $   $]  $   I]  +   n]  #   ]  $   ]  0   ]  +   ^     @^     `^  "   w^     ^     ^     ^     ^     _     /_  '   M_  A   u_  -   _     _     `  $   !`  ,   F`  %   s`  &   `  7   `  c   `  *   \a  E   a     a     a  *   b  .   -b  -   \b     b  E   b  +   b     c  %   8c  f   ^c  '   c  *   c  8   d  z   Qd  :   d     e  B   e     ae     se     e  (   e  ;   e  )   e  .   f     ?f     Kf     Qf  Y   Wf     f     f     f     f     g     %g  .   ;g  N   jg  2   g           [       j         U                                               H                          (                                <         Z   q         K      m   O   F       y          4      >               l                              ,   e       f                         #       M       V                                    ;   v   ]         W                             @   B   6   
   S          ?                                                {               D             %                  g              "      d   8                         +           
          *   u          o          G           0   '   -   )      $           X                      2       /                       T                               s                              E   !                &       9                   3      R                       .      1      h      z           t      a       k                    _         c          :             }         b             Q                   r   Y                  ~         ^      J                 7          =               N         i   I       P   n          `   |   C   \   A      L             	   p      w   5         x             Candidate:    Installed:    Missing:    Mixed virtual packages:    Normal packages:    Pure virtual packages:    Single virtual packages:    Version table:  Done  [Not candidate version]  [Working]  failed.  or %lu downgraded,  %lu not fully installed or removed.
 %lu package was automatically installed and is no longer required.
 %lu packages were automatically installed and are no longer required.
 %lu reinstalled,  %lu to remove and %lu not upgraded.
 %lu upgraded, %lu newly installed,  %s (due to %s) %s has no build depends.
 %s set to automatically installed.
 %s set to manually installed.
 (none) --fix-missing and media swapping is not currently supported A proxy server was specified but no login script, Acquire::ftp::ProxyLogin is empty. A response overflowed the buffer. Abort. Aborting install. After this operation, %sB disk space will be freed.
 After this operation, %sB of additional disk space will be used.
 Arguments not in pairs At least one invalid signature was encountered. Authentication warning overridden.
 Bad default setting! Bad header data Bad header line Broken packages Build command '%s' failed.
 Cache is out of sync, can't x-ref a package file Cannot initiate the connection to %s:%s (%s). Check if the 'dpkg-dev' package is installed.
 Configure build-dependencies for source packages Connecting to %s Connecting to %s (%s) Connection closed prematurely Connection failed Connection timed out Connection timeout Correcting dependencies... Could not bind a socket Could not connect data socket, connection timed out Could not connect passive socket. Could not connect to %s:%s (%s), connection timed out Could not connect to %s:%s (%s). Could not create a socket Could not create a socket for %s (f=%u t=%u p=%u) Could not determine the socket's name Could not execute 'apt-key' to verify signature (is gnupg installed?) Could not listen on the socket Could not resolve '%s' Couldn't determine free space in %s Couldn't find package %s Data socket connect timed out Data socket timed out Data transfer failed, server said '%s' Disk not found. Distribution upgrade, see apt-get(8) Do you want to continue? Do you want to erase any previously downloaded .deb files? Download complete and in download only mode Download source archives EPRT failed, server said: %s Erase downloaded archive files Erase old downloaded archive files Error reading from server Error reading from server. Remote end closed connection Error writing to file Failed Failed to create IPC pipe to subprocess Failed to fetch %s  %s Failed to fetch some archives. Failed to mount '%s' to '%s' Failed to process build dependencies Failed to set modification time Failed to stat Failed to stat %s Fetch source %s
 Fetched %sB in %s (%sB/s)
 File not found Follow dselect selections Get:%lu %s Hit:%lu %s Hmm, seems like the AutoRemover destroyed something which really
shouldn't happen. Please file a bug report against apt. How odd... The sizes didn't match, email apt@packages.debian.org However the following packages replace it: Install new packages (pkg is libc6 not libc6.deb) Install these packages without verification? Internal Error, AutoRemover broke stuff Internal error Internal error, InstallPackages was called with broken packages! Internal error, Ordering didn't finish Internal error, problem resolver broke stuff Internal error: Good signature, but could not determine key fingerprint?! Invalid URI, local URIS must not start with // List the names of all packages in the system Logging in Login script command '%s' failed, server said: %s Merging available information Must specify at least one package to check builddeps for Must specify at least one package to fetch source for NOTE: This is only a simulation!
      %s needs root privileges for real execution.
      Keep also in mind that locking is deactivated,
      so don't depend on the relevance to the real current situation!
 NOTICE: '%s' packaging is maintained in the '%s' version control system at:
%s
 Need to get %sB of archives.
 Need to get %sB of source archives.
 Need to get %sB/%sB of archives.
 Need to get %sB/%sB of source archives.
 No packages found Note, selecting '%s' for regex '%s'
 Note, selecting '%s' for task '%s'
 Note, selecting '%s' instead of '%s'
 Note: This is done automatically and on purpose by dpkg. PASS failed, server said: %s Package %s is a virtual package provided by:
 Package %s is not available, but is referred to by another package.
This may mean that the package is missing, has been obsoleted, or
is only available from another source
 Package %s version %s has an unmet dep:
 Package '%s' has no installation candidate Package files: Packages need to be removed but remove is disabled. Perform an upgrade Picking '%s' as source package instead of '%s'
 Pinned packages: Please provide a name for this Disc, such as 'Debian 5.0.3 Disk 1' Please use apt-cdrom to make this CD-ROM recognized by APT. apt-get update cannot be used to add new CD-ROMs Problem hashing file Protocol corruption Query Read error Recommended packages: Regex compilation error - %s Reinstallation of %s is not possible, it cannot be downloaded.
 Remove automatically all unused packages Remove packages Remove packages and config files Repeat this process for the rest of the CDs in your set. Retrieve new lists of packages Search the package list for a regex pattern Select failed Selected version '%s' (%s) for '%s'
 Server closed the connection Show a readable record for the package Show policy settings Show raw dependency information for a package Show reverse dependency information for a package Show source records Skipping %s, it is already installed and upgrade is not set.
 Skipping %s, it is not installed and only upgrades are requested.
 Skipping already downloaded file '%s'
 Skipping unpack of already unpacked source in %s
 Some errors occurred while unpacking. Packages that were installed Some files failed to download Some packages could not be authenticated Some packages could not be installed. This may mean that you have
requested an impossible situation or if you are using the unstable
distribution that some required packages have not yet been created
or been moved out of Incoming. Something wicked happened resolving '%s:%s' (%i - %s) Suggested packages: Supported modules: TYPE failed, server said: %s Temporary failure resolving '%s' The HTTP server sent an invalid Content-Length header The HTTP server sent an invalid Content-Range header The HTTP server sent an invalid reply header The following NEW packages will be installed: The following held packages will be changed: The following information may help to resolve the situation: The following package disappeared from your system as
all files have been overwritten by other packages: The following packages disappeared from your system as
all files have been overwritten by other packages: The following package was automatically installed and is no longer required: The following packages were automatically installed and are no longer required: The following packages have been kept back: The following packages have unmet dependencies: The following packages will be DOWNGRADED: The following packages will be REMOVED: The following packages will be upgraded: The following signatures couldn't be verified because the public key is not available:
 The following signatures were invalid:
 The list of sources could not be read. The server refused the connection and said: %s The update command takes no arguments This APT has Super Cow Powers. This HTTP server has broken range support Total Desc/File relations:  Total Provides mappings:  Total dependencies:  Total distinct descriptions:  Total distinct versions:  Total globbed strings:  Total package names:  Total package structures:  Total slack space:  Total space accounted for:  Total ver/file relations:  Trivial Only specified but this is not a trivial operation. USER failed, server said: %s Unable to accept connection Unable to connect to %s:%s: Unable to correct dependencies Unable to correct missing packages. Unable to determine the local name Unable to determine the peer name Unable to fetch file, server said '%s' Unable to fetch some archives, maybe run apt-get update or try with --fix-missing? Unable to find a source package for %s Unable to get build-dependency information for %s Unable to invoke  Unable to locate package %s Unable to lock the download directory Unable to minimize the upgrade set Unable to read the cdrom database %s Unable to send PORT command Unable to unmount the CD-ROM in %s, it may still be in use. Unknown address family %u (AF_*) Unknown date format Unknown error executing apt-key Unmet dependencies. Try 'apt --fix-broken install' with no packages (or specify a solution). Unpack command '%s' failed.
 Verify that there are no broken dependencies Virtual packages like '%s' can't be removed
 WARNING: The following essential packages will be removed.
This should NOT be done unless you know exactly what you are doing! WARNING: The following packages cannot be authenticated! Waiting for headers We are not supposed to delete stuff, can't start AutoRemover Write error Wrong CD-ROM Y You don't have enough free space in %s. You might want to run 'apt --fix-broken install' to correct these. You must give at least one search pattern You should explicitly select one to install. [IP: %s %s] [Y/n] [y/N] above this message are important. Please fix them and run [I]nstall again but %s is installed but %s is to be installed but it is a virtual package but it is not going to be installed but it is not installable but it is not installed getaddrinfo was unable to get a listening socket or errors caused by missing dependencies. This is OK, only the errors will be configured. This may result in duplicate errors Project-Id-Version: apt 0.7.18
Report-Msgid-Bugs-To: APT Development Team <deity@lists.debian.org>
PO-Revision-Date: 2010-10-02 23:35+0100
Last-Translator: Iñigo Varela <ivarela@softastur.org>
Language-Team: Asturian (ast)
Language: ast
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=n != 1;
X-Generator: Virtaal 0.5.2
   Candidatu:    Instaláu:    Falten:    Paquetes virtuales amestaos:    Paquetes normales:    Paquetes virtuales puros:    Paquetes virtuales cenciellos:    Tabla de versiones:  Fecho  [Nun ye versión candidata]  [Tresnando]  falló.  o %lu desactualizaos,  %lu nun instalaos dafechu o desaniciaos.
 El paquete %lu instalóse de mou automáticu y yá nun se necesita.
 Los paquetes %lu instaláronse de manera automática y ya nun se necesiten
 %lu reinstalaos,  %lu para desaniciar y %lu nun actualizaos.
 %lu actualizaos, %lu nuevos instalaos,  %s (por %s) %s nun tien dependencies de construcción.
 %s axustáu como instaláu automáticamente.
 %s axustáu como instaláu manualmente.
 (dengún) --fix-missing y cambéu de mediu nun ta sofitao actualmente Especificóse un sirvidor proxy pero non un script d'entrada, Acquire::ftp::ProxyLogin ta baleru. Una rempuesta revirtió'l buffer. Encaboxar. Encaboxando la instalación. Tres d'esta operación, van lliberase %sB d'espaciu de discu.
 Tres d'esta operación, van usase %sB d'espaciu de discu adicional.
 Argumentos non empareyaos Atopóse polo menos una robla mala. Avisu d'autenticación saltáu.
 ¡Mal axuste por omisión! Datos de testera incorreutos Fallu na llinia testera Paquetes frañaos Falló la orde build '%s'.
 La caché nun ta sincronizada, nun puede facese x-ref a un ficheru de paquete Nun se pudo coneutar a %s:%s (%s). Comprueba qu'el paquete 'dpkg-dev' ta instaláu.
 Configurar dependencies pa los paquetes fonte Coneutando a %s Coneutando a %s (%s) Conexón encaboxada prematuramente Fallo la conexón Gandió'l tiempu de conexón Gandió'l tiempu de conexón Iguando dependencies... Nun se pudo enllazar con un socket Nun se pudo coneutar el zócalu de datos; gandió'l tiempu de conexón Nun se pudo coneutar un socket pasivu. Nun se pudo coneutar a %s:%s (%s); expiró'l tiempu de conexón Nun se pudo coneutar a %s:%s (%s). Nun se pudo crear un socket Nun se pudo crear un socket pa %s (f=%u t=%u p=%u) Nun se pudo determinar el nome del socket Nun pudo executase 'apt-key' pa verificar la robla (¿ta instaláu gnupg?) Nun se pudo escuchar nel socket Nun se pudo resolver '%s' Nun pue determinase l'espaciu llibre de %s Nun pudo alcontrase'l paquete %s Gandió'l tiempu de conexón col zócalu de datos Gandió'l tiempu del zócalu de datos Falló la tresferencia de datos; el sirvidor dixo '%s' Nun s'atopa'l discu. Actualización de la distribución, ver apt-get(8) ¿Quies continuar? ¿Quies desaniciar los ficheros .deb descargaos previamente? Descarga completa y en mou de sólo descarga Baxar fonte del ficheru EPRT falló; el sirvidor dixo: %s Esborrar los ficheros de ficheros baxaos Esborrar ficheros de ficheros vieyos baxaos Fallu al lleer nel sirvidor Fallu al lleer nel sirvidor. El llau remotu zarró la conexón. Fallu al escribir nel ficheru Falló Falló criar un tubu IPC al soprocesu Falló algamar %s  %s Falló la descarga de dellos archivos. Falló al montar '%s' a '%s' Fallu al procesar les dependencies de construcción Nun se pudo afitar la hora de modificación Falló al lleer Nun pudo lleese %s Fonte descargada %s
 Descargaos %sB en %s (%sB/s)
 Nun s'atopa'l ficheru. Siguir seleiciones dselect Des:%lu %s Oxe:%lu %s Hmm, paez que AutoRemover destruyó daqué, lo que nun tendría
por qué pasar. Por favor, unvía un informe de fallu escontra apt. Que raro... Los tamaños nun concasen, escribe a apt@packages.debian.org Sicasí, los siguientes paquetes reemplacenlu: Instalar nuevos paquetes (pkg ye libc6 non libc6.deb) ¿Instalar esos paquetes ensin verificación? Error internu, AutoRemover rompió coses Fallu internu Error internu, ¡InstallPackages llamose con paquetes frañaos! Error internu, ordenar nun finó Error internu, l'iguador de problemes frañó coses Fallu internu: Robla bona, pero nun se pudo determinar la so buelga dixital?! URI malu, los URIS llocales nun pueden entamar por // Llista los nomes de tolos paquetes nel sistema Entrando Falló la orde '%s' del guión d'entrada; el sirvidor dixo: %s Fusionando información disponible Hai que conseñar polo menos un paquete pa verificar les dependencies de construcción Has de conseñar polo menos un paquete p'algamar so fonte NOTA: ¡Esto sólo ye una simulación!
       %s necesita privilexos de root pa la execución real.
       ¡Ten tamién en cuenta que'l bloquéu ta desactiváu,
       asina que nun dependen de la pertinencia de la verdadera situación actual!
 AVISU: '%s' packaging is maintained in the '%s' version control system at:
%s
 Hai que descargar %sB d'archivos.
 Hai falta descargar %sB d'archivos fonte.
 Hai que descargar %sB/%sB d'archivos.
 Hai falta descargar %sB/%sB d'archivos fonte.
 Nun s'alcontraron paquetes Nota, escoyendo '%s' pa regex '%s'
 Nota, escoyendo '%s' pa la xera '%s'
 Nota, escoyendo %s nel llugar de %s
 Nota: Esto faise automáticamente y baxo demanda por dpkg. La contraseña (PASS) falló; el sirvidor dixo: %s El paquete %s ye un paquete virtual ufríu por:
 El paquete %s nun ta disponible, otru paquete refierse a él.
Esto puede significar que falta el paquete, ta arrumbáu, o sólo
ta disponible dende otra fonte
 El paquete %s versión %s nun cumple una dependencia:
 El paquete '%s' nun tien candidatu pa instalación Ficheros de paquete: Fai falta desaniciar los paquetes pero desaniciar ta torgáu. Facer una anovación Tomando '%s' como paquetes d'oríxenes en llugar de '%s'
 Paquetes na chincheta: Da-y un nome a esti discu, como 'Debian 5.0.3 Discu 1' Por favor usa apt-cdrom pa facer qu'APT reconoza esti CD. apt-get update nun se puede usar p'amestar CDs nuevos Hebo un problema al xenerar el hash del ficheru Corrupción del protocolu Consulta Fallu de llectura Paquetes encamentaos Error de compilación d'espresión regular - %s La reinstalación de %s nun ye dable, nun pue descargase.
 Desaniciar automáticamente tolos paquetes non usaos Desaniciar paquetes Quitar y desaniciar paquetes Repite'l procesu colos demás CDs del conxuntu. Algamar nueva llista de paquetes Restola na llista de paquetes por el patrón d'una espresión regular Falló la escoyeta Esbillada la versión %s (%s) pa %s
 El sirvidor zarró la conexón Amuesa un rexistru lleíble pal paquete Amuesa los axustes de les normes Amuesa la información de dependencies en bruto d'un paquete Amuesa la información de dependencies inverses d'un paquete Amuesa los rexistros de fonte Saltando %s, ya ta instalau y la actualización nun ta activada.
 Saltando %s, nun ta instaláu y namái se requieren anovamientos.
 Saltando'l ficheru yá descargáu '%s'
 Saltando'l desempaquetáu de la fonte yá desempaquetada en %s
 Ocurrieron dellos errores al desempaquetar. Los paquetes que s'instalaron configurarse'l Dellos ficheros nun pudieron descargase Dellos paquetes nun pudieron autenticase Dellos paquetes nun pudieron instalase. Esto puede significar que
conseñaste una situación imposible o, si tas usando la distribución
inestable, que dellos paquetes necesarios nun se crearon o que
s'allugaron fuera d'Incoming. Daqué raro asocedió resolviendo '%s:%s' (%i - %s) Paquetes afalaos: Módulos sofitaos: La triba (TYPE) falló; el sirvidor dixo: %s Fallu temporal al resolver '%s' El sirvidor HTTP mandó una testera incorreuta de Content-Length El sirvidor HTTP mandó una testera incorreuta de Content-Range El sirvidor HTTP mandó una testera incorreuta de rempuesta Van instalase los siguientes paquetes NUEVOS: Van camudase los siguientes paquetes reteníos: La siguiente información pue aidar a resolver la situación: El siguiente paquete desapareció del sistema como
tolos ficheros fueron sobroescritos por otros paquetes: Los siguientes paquetes desaparecieron del sistema como
tolos ficheros fueron sobroescritos por otros paquetes: El siguiente paquete instalóse mou automáticu y yá nun se necesita: Los siguientes paquetes instaláronse de manera automática y ya nun se necesiten: Los siguientes paquetes tan reteníos: Los siguientes paquetes nun cumplen dependencies: Los siguientes paquetes van DESACTUALIZASE: Los siguientes paquetes van DESANICIASE: Los siguientes paquetes van actualizase: Les robles siguientes nun pudieron verificase porque la to llave pública nun ta a mano:
 Les siguientes robles nun valieron:
 Nun pudo lleese la llista de fontes. El sirvidor refugó la conexón, y dixo: %s La orde update nun lleva argumentos Esti APT tien Poderes de Super Vaca. Esti sirvidor HTTP tien rotu'l soporte d'alcance Rellaciones descripción/ficheru en total:  Mapes de provisiones en total:  Dependencies totales:  Descripciones distintes en total:  Versiones distintes en total:  Cadenes globalizaes en total:  Total de nomes de paquetes:  Total de cadarmes de paquetes:  Espaciu ociosu en total:  Informe del total d'espaciu:  Rellaciones versión/ficheru en total:  Conseñose Trivial Only pero ésta nun ye una operación trivial. L'usuariu (USER) falló; el sirvidor dixo: %s Nun se pudo aceptar la conexón Nun pudo coneutase a %s:%s: Nun pudieron iguase les dependencies Nun pudieron iguase los paquetes que falten. Nun se pudo determinar el nome llocal Nun se pudo determinar el nome del par Nun se pudo descargar el ficheru; el sirvidor dixo '%s' Nun pudieron algamase dellos archivos, ¿seique executando apt-get update o tentando --fix-missing? Nun pudo alcontrase un paquete fonte pa %s Nun pudo algamase información de dependencies de construcción pa %s Nun se pudo invocar  Nun pue alcontrase'l paquete %s Nun pue bloquiase'l direutoriu de descarga Nun pue amenorgase'l conxuntu d'actualización Nun se pudo lleer la base datos %s del CD-ROM Nun se pudo mandar la orde PORT Nun se pudo desmontar el CD-ROM de %s; puede que se tea usando entá. Direición de familia %u desconocida (AF_*) Formatu de data desconocíu Fallu desconocíu al executar apt-key Dependencies ensin cubrir. Tenta 'apt --fix-broken install' ensin paquetes (o conseña una solución). Falló la orde de desempaquetáu '%s'.
 Verificar que nun hai dependencies frayaes Los paquetes virtuales como '%s' nun pueden desaniciase
 AVISU: Los siguientes paquetes esenciales van desaniciase.
¡Esto NUN hai que facelo si nun sabes esautamente lo que faes! AVISU: ¡Nun pudieron autenticase los siguientes paquetes! Esperando les testeres Suponse que nun vamos esborrar coses; nun pue entamase AutoRemover Fallu d'escritura CD-ROM malu S Nun tienes espaciu libre bastante en %s. Habríes d'executar 'apt --fix-broken install' para igualo. Has de dar polo menos un patrón de gueta Has d'escoyer esplícitamente unu pa instalar. [IP: %s %s] [S/n] [s/N] enriba d'esti mensaxe son importante. Por favor, íguales y executa [I]nstall otra vuelta pero %s ta instaláu pero %s ta pa instalar pero ye un paquete virtual pero nun va instalase pero nun ye instalable pero nun ta instaláu getaddrinfo nun pudo obtener un zócalu oyente o fallos causaos por dependencies que nun tán. Esto ta BIEN, sólo los fallos van configurase. Esto pue causar errores duplicaos                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                o  <        
     
             !     <     P     j                 
                    $               $     #          -        '     A  #   R     v            /     *        *  ;   1  T   m  !               4     A   2     t  /     #                            $  0   @     q  -     .     0             &     <     Z     l                 3     !     5         S     t  1     %     E        ,     K  #   b                 &          $   
      /   :   H   8      +            6   !     8!  #   U!     y!  "   !  
   !     !  7   !     "  $   ."     S"  '   Z"     "     "     "  $   "     "     #     )#     ;#     L#     g#     v#  
   #  
   #  x   #  @   $  *   `$  
   $  1   $  ,   $  '   $     %  @   ,%  &   m%  ,   %  I   %  .   &  ,   :&  
   g&  1   r&  2   &  -   &     '  8   #'  5   \'     '     '  O   d(     (  $   (  !   (  (   )  Z   B)     )  $   )  #   )  %   )  8   *     W*  -   t*     *  (   O+  *   x+  .   +  B   +     ,  3   $,     X,  /   k,     ,  B   ,  l   ,  T   \-     -     -     -  
   -     -     .  ?   .  (   ^.     .      .  8   .     .  +   /  
   </  $   J/  4   o/     /  &   /     /  -   /  1   +0     ]0  =   q0  B   0  &   0  1   1  B   K1     1  (   1     1  5   2     2     3     3      63  5   W3  4   3  ,   3  -   3  ,   4  <   J4     4     Z5  +   5  /   #6  *   S6  '   ~6  (   6  W   6  '   '7  &   O7  .   v7  %   7     7  )   7  U   8  C   j8     8     8     8     8     9     19     I9     _9     z9     9     9  ;   9     :     :     ::     V:  #   u:  "   :  !   :  &   :  R   ;  &   X;  1   ;     ;     ;  %   ;  "   <  $   (<     M<  ;   i<      <     <     <  \   <     W=  /   t=  ,   =  ,   =  ~   =  8   }>     >  <   >     ?     ?      ?  '   "?  B   J?  )   ?  ,   ?     ?     ?     ?  I   ?     F@     Z@     t@  #   @     @     @  0   @  E   A  7   ]A    A     (C     =C     XC  2   mC  !   C  .   C  4   C  %   &D  
   LD  ,   ZD  $   D     D     D  8   D  Q    E     RE  "   :F  <   ]F  E   F     F  q   F  @   gG  -   G  O   G  C   &H  6   jH  6   H  m   H  a   FI  
   I  n   I     "J  1   J     J  5   J  s   1K     K  2   2L  D   eL  f   L  1   M  @   CM  8   M     M  J   M  ~   $N  E   N  H   N  Y   2O     O     P     )P  >   GP  ,   P  F   P  J   P  7   EQ  >   }Q     Q  N   SR  f   R  7   	S  >   AS  W   S  T   S     -T  >   T  M   T  g   HU  =   U  k   U  M   ZV  i   V  $   W  F   7W  ,   ~W  e   W  g   X  T   yX  ?   X  Z   Y  ;   iY  W   Y  =   Y  D   ;Z  
   Z  4   Z  }   Z  .   A[  r   p[     [  V   [  8   I\  J   \  8   \  h   ]  N   o]  D   ]  J   ^  1   N^  ,   ^  #   ^  /   ^  
   _  
   _     _  w   _  A   D`  
   `  Z   `  J   `  T   :a     a  t   a  A   "b  _   db     b  z   Sc  j   c     9d  z   Hd  [   d  O   e  =   oe     e  w   9f     f  X  f     h  E   h  [   h  I   Ii  _   i     i  &   j  E   j  4   j  5   3k  :   ik  ;   k  K   k    ,l  ^   Hm  M   m  _   m     Un     n  t   	o  ,   ~o  U   o     p  W   p     tp     Yq  6   r  !   ?r     ar      tr  &   r  X   r  o   s  c   s  &   s  l   t  j   }t  ?   t  S   (u      |u  /   u  Q   u  2   v  4   Rv  H   v  h   v  ^   9w  S   w  z   w  }   gx  J   x     0y  {   y  N   -z  R   |z    z  m   w|  "   |  "   }  ;   +}  ^   g}  f   }  e   -~  i   ~  N   ~  T   L       u  %       J     ]     a   D  C     I        4  9   ̄  T     D   [  J     .     y          t     7     6   Ǉ  !     ,      (   M  ,   v  (     ,   ̈  0     4   *  3   _  `     ;     E   0  2   v  N     V     Q   O  k     d   
     r  X   &       2     <   ?  d   |  ]     I   ?  I     v   ӏ  >   J  /     N          N           K     _   ֒     6  u   &  -     j   ʔ     5     T     h  R   j       U   M  W                  
  |          *     ,   ۗ  7     <   @  (   }  Q          t           *             0          b             -          !      X   _               
  P       p                   	         S                 M      Y              s                       L        :              &   .   2             	         y      x         d       Q         e         r   J                    K            @   Z            \   I   O         }   ;     ^       %             [          =                                    7   4         c      A          i         '                 /                   t                    6   N      q   v                 ~             8             $          G   <            `          C   )   ,                                 W         U            ?         D   >                                            w           m          T                 5                                    h                                         "           
                    V   #         (       +   u      
   3       9                                           |      l                          
                         {                           j         z   B                  ]   o        g   f   R                       n          k                 a   F                            E   1                    H                 Candidate:    Installed:    Missing:    Mixed virtual packages:    Normal packages:    Pure virtual packages:    Single virtual packages:    Version table:  Done  [Not candidate version]  [Working]  failed.  or %lu downgraded,  %lu not fully installed or removed.
 %lu package was automatically installed and is no longer required.
 %lu packages were automatically installed and are no longer required.
 %lu reinstalled,  %lu to remove and %lu not upgraded.
 %lu upgraded, %lu newly installed,  %s (due to %s) %s can not be marked as it is not installed.
 %s has no build depends.
 %s set on hold.
 %s set to automatically installed.
 %s set to manually installed.
 %s was already not on hold.
 %s was already set on hold.
 %s was already set to automatically installed.
 %s was already set to manually installed.
 (none) --fix-missing and media swapping is not currently supported A proxy server was specified but no login script, Acquire::ftp::ProxyLogin is empty. A response overflowed the buffer. Abort. Aborting install. After this operation, %sB disk space will be freed.
 After this operation, %sB of additional disk space will be used.
 Arguments not in pairs At least one invalid signature was encountered. Authentication warning overridden.
 Bad default setting! Bad header data Bad header line Broken packages Build command '%s' failed.
 Cache is out of sync, can't x-ref a package file Canceled hold on %s.
 Cannot initiate the connection to %s:%s (%s). Check if the 'dpkg-dev' package is installed.
 Configure build-dependencies for source packages Connecting to %s Connecting to %s (%s) Connection closed prematurely Connection failed Connection timed out Connection timeout Correcting dependencies... Could not bind a socket Could not connect data socket, connection timed out Could not connect passive socket. Could not connect to %s:%s (%s), connection timed out Could not connect to %s:%s (%s). Could not create a socket Could not create a socket for %s (f=%u t=%u p=%u) Could not determine the socket's name Could not execute 'apt-key' to verify signature (is gnupg installed?) Could not listen on the socket Could not resolve '%s' Couldn't determine free space in %s Couldn't find package %s Data socket connect timed out Data socket timed out Data transfer failed, server said '%s' Disk not found. Distribution upgrade, see apt-get(8) Do you want to continue? Do you want to erase any previously downloaded .deb files? Download and display the changelog for the given package Download complete and in download only mode Download source archives Download the binary package into the current directory EPRT failed, server said: %s Empty files can't be valid archives Erase downloaded archive files Erase old downloaded archive files Err:%lu %s Error reading from server Error reading from server. Remote end closed connection Error writing to file Executing dpkg failed. Are you root? Failed Failed to create IPC pipe to subprocess Failed to fetch %s  %s Failed to fetch some archives. Failed to mount '%s' to '%s' Failed to process build dependencies Failed to set modification time Failed to stat Failed to stat %s Fetch source %s
 Fetched %sB in %s (%sB/s)
 File not found Follow dselect selections Get:%lu %s Hit:%lu %s Hmm, seems like the AutoRemover destroyed something which really
shouldn't happen. Please file a bug report against apt. How odd... The sizes didn't match, email apt@packages.debian.org However the following packages replace it: Ign:%lu %s Install new packages (pkg is libc6 not libc6.deb) Install these packages without verification? Internal Error, AutoRemover broke stuff Internal error Internal error, InstallPackages was called with broken packages! Internal error, Ordering didn't finish Internal error, problem resolver broke stuff Internal error: Good signature, but could not determine key fingerprint?! Invalid URI, local URIS must not start with // List the names of all packages in the system Logging in Login script command '%s' failed, server said: %s Mark the given packages as automatically installed Mark the given packages as manually installed Merging available information Must specify at least one package to check builddeps for Must specify at least one package to fetch source for N NOTE: This is only a simulation!
      %s needs root privileges for real execution.
      Keep also in mind that locking is deactivated,
      so don't depend on the relevance to the real current situation!
 NOTICE: '%s' packaging is maintained in the '%s' version control system at:
%s
 Need to get %sB of archives.
 Need to get %sB of source archives.
 Need to get %sB/%sB of archives.
 Need to get %sB/%sB of source archives.
 No architecture information available for %s. See apt.conf(5) APT::Architectures for setup No packages found Note, selecting '%s' for regex '%s'
 Note, selecting '%s' for task '%s'
 Note, selecting '%s' instead of '%s'
 Note: This is done automatically and on purpose by dpkg. PASS failed, server said: %s Package %s is a virtual package provided by:
 Package %s is not available, but is referred to by another package.
This may mean that the package is missing, has been obsoleted, or
is only available from another source
 Package %s version %s has an unmet dep:
 Package '%s' has no installation candidate Package '%s' is not installed, so not removed
 Package '%s' is not installed, so not removed. Did you mean '%s'?
 Package files: Packages need to be removed but remove is disabled. Perform an upgrade Picking '%s' as source package instead of '%s'
 Pinned packages: Please provide a name for this Disc, such as 'Debian 5.0.3 Disk 1' Please use apt-cdrom to make this CD-ROM recognized by APT. apt-get update cannot be used to add new CD-ROMs Please use:
%s
to retrieve the latest (possibly unreleased) updates to the package.
 Problem hashing file Protocol corruption Query Read error Recommended packages: Regex compilation error - %s Reinstallation of %s is not possible, it cannot be downloaded.
 Remove automatically all unused packages Remove packages Remove packages and config files Repeat this process for the rest of the CDs in your set. Retrieve new lists of packages Search the package list for a regex pattern Select failed Selected version '%s' (%s) for '%s'
 Selected version '%s' (%s) for '%s' because of '%s'
 Server closed the connection Show a readable record for the package Show policy settings Show raw dependency information for a package Show reverse dependency information for a package Show source records Skipping %s, it is already installed and upgrade is not set.
 Skipping %s, it is not installed and only upgrades are requested.
 Skipping already downloaded file '%s'
 Skipping unpack of already unpacked source in %s
 Some errors occurred while unpacking. Packages that were installed Some files failed to download Some packages could not be authenticated Some packages could not be installed. This may mean that you have
requested an impossible situation or if you are using the unstable
distribution that some required packages have not yet been created
or been moved out of Incoming. Something wicked happened resolving '%s:%s' (%i - %s) Suggested packages: Supported modules: TYPE failed, server said: %s Temporary failure resolving '%s' The HTTP server sent an invalid Content-Length header The HTTP server sent an invalid Content-Range header The HTTP server sent an invalid reply header The following NEW packages will be installed: The following held packages will be changed: The following information may help to resolve the situation: The following package disappeared from your system as
all files have been overwritten by other packages: The following packages disappeared from your system as
all files have been overwritten by other packages: The following package was automatically installed and is no longer required: The following packages were automatically installed and are no longer required: The following packages have been kept back: The following packages have unmet dependencies: The following packages will be DOWNGRADED: The following packages will be REMOVED: The following packages will be upgraded: The following signatures couldn't be verified because the public key is not available:
 The following signatures were invalid:
 The list of sources could not be read. The server refused the connection and said: %s The update command takes no arguments This APT has Super Cow Powers. This HTTP server has broken range support This command is deprecated. Please use 'apt-mark auto' and 'apt-mark manual' instead. This command is deprecated. Please use 'apt-mark showauto' instead. Total Desc/File relations:  Total Provides mappings:  Total dependencies:  Total distinct descriptions:  Total distinct versions:  Total globbed strings:  Total package names:  Total package structures:  Total slack space:  Total space accounted for:  Total ver/file relations:  Trivial Only specified but this is not a trivial operation. USER failed, server said: %s Unable to accept connection Unable to connect to %s:%s: Unable to correct dependencies Unable to correct missing packages. Unable to determine the local name Unable to determine the peer name Unable to fetch file, server said '%s' Unable to fetch some archives, maybe run apt-get update or try with --fix-missing? Unable to find a source package for %s Unable to get build-dependency information for %s Unable to invoke  Unable to locate package %s Unable to lock the download directory Unable to minimize the upgrade set Unable to read the cdrom database %s Unable to send PORT command Unable to unmount the CD-ROM in %s, it may still be in use. Unknown address family %u (AF_*) Unknown date format Unknown error executing apt-key Unmet dependencies. Try 'apt --fix-broken install' with no packages (or specify a solution). Unpack command '%s' failed.
 Use '%s' to remove it. Use '%s' to remove them. Verify that there are no broken dependencies Virtual packages like '%s' can't be removed
 WARNING: The following essential packages will be removed.
This should NOT be done unless you know exactly what you are doing! WARNING: The following packages cannot be authenticated! Waiting for headers We are not supposed to delete stuff, can't start AutoRemover Write error Wrong CD-ROM Y You don't have enough free space in %s. You might want to run 'apt --fix-broken install' to correct these. You must give at least one search pattern You should explicitly select one to install. [IP: %s %s] [Y/n] [y/N] above this message are important. Please fix them and run [I]nstall again but %s is installed but %s is to be installed but it is a virtual package but it is not going to be installed but it is not installable but it is not installed getaddrinfo was unable to get a listening socket or errors caused by missing dependencies. This is OK, only the errors will be configured. This may result in duplicate errors Project-Id-Version: apt 0.7.21
Report-Msgid-Bugs-To: APT Development Team <deity@lists.debian.org>
PO-Revision-Date: 2012-06-25 17:23+0300
Last-Translator: Damyan Ivanov <dmn@debian.org>
Language-Team: Bulgarian <dict@fsa-bg.org>
Language: bg
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n != 1)
X-Generator: KBabel 1.11.4
   Кандидат:    Инсталирана:    Липсващи:    Смесени виртуални пакети:    Нормални пакети:    Чисти виртуални пакети:    Единични виртуални пакети:    Таблица с версиите:  Готово  [версията не е кандидат]  [В процес на работа]  пропадна.  или %lu върнати към по-стара версия,  %lu не са напълно инсталирани или премахнати.
 %lu пакет е бил инсталиран автоматично и вече не е необходим:
 %lu пакета са били инсталирани автоматично и вече не са необходими:
 %lu преинсталирани,  %lu за премахване и %lu без промяна.
 %lu актуализирани, %lu нови инсталирани,  %s (поради %s) Пакетът „%s“ не може да бъде маркиран, защото не е инсталиран.
 %s няма зависимости за компилиране.
 Пакетът „%s“ е задържан.
 %s е отбелязан като автоматично инсталиран.
 %s е отбелязан като ръчно инсталиран.
 Пакетът „%s“ вече е задържан.
 Пакетът „%s“ вече е задуржан.
 Пакетът „%s“ вече е отбелязан като автоматично инсталиран.
 Пакетът „%s“ вече е отбелязан като ръчно инсталиран.
 (няма) „--fix-missing“ и превключване на носители не се поддържа все още Беше указан сървър-посредник, но няма скрипт за влизане, Acquire::ftp::ProxyLogin е празен. Отговорът препълни буфера. Прекъсване. Прекъсване на инсталирането. След тази операция ще бъде освободено %sB дисково пространство.
 След тази операция ще бъде използвано %sB допълнително дисково пространство.
 Аргументите не са по двойки Намерен е поне един невалиден подпис. Предупреждението за удостоверяването е пренебрегнато.
 Лоша стандартна настройка! Невалидни данни на заглавната част Невалиден ред на заглавна част Счупени пакети Командата за компилиране „%s“ пропадна.
 Кешът не е синхронизиран, не може да се изпълни „x-ref“ на пакетен файл Отмяна на задържането на пакета „%s“.
 Не може да се започне свързване с %s:%s (%s). Проверете дали имате инсталиран пакета „dpkg-dev“.
 Конфигуриране на зависимостите за компилиране на пакети от изходен код Свързване с %s Свързване с %s (%s) Връзката прекъсна преждевременно Неуспех при свързването Допустимото време за свързване изтече Допустимото време за свързването изтече Коригиране на зависимостите... Неуспех при свързването на гнездо Неуспех при свързването на гнездо за данни, допустимото време за свързване изтече Неуспех при свързването на пасивно гнездо. Неуспех при свързване с %s:%s (%s), допустимото време изтече Неуспех при свързване с %s:%s (%s). Неуспех при създаването на гнездо Неуспех при създаването на гнездо за %s (f=%u t=%u p=%u) Неуспех при определянето на името на гнездото Неуспех при изпълнение на „apt-key“ за проверка на подписа (инсталиран ли е gnupg?) Неуспех при слушането на гнездото Неуспех при намирането на IP адреса на „%s“ Неуспех при определянето на свободното пространство в %s Неуспех при намирането на пакет %s Времето за установяване на връзка с гнездо за данни изтече Времето за връзка с гнездо за данни изтече Неуспех при прехвърлянето на данни, сървърът съобщи: „%s“ Дискът не е намерен. Обновяване на дистрибуцията, вж. apt-get(8) Искате ли да продължите? Желаете ли да изтриете изтеглените пакетни файлове? Изтегляне и показване на журнала с промени в даден пакет Изтеглянето завърши в режим само на изтегляне Изтегляне на изходен код на пакети Изтегляне на двоичен пакет в текущата директория EPRT се провали, сървърът съобщи: %s Празни файлове не могат да бъдат валидни архиви Изтриване на изтеглените файлове Изтриване на стари изтеглени файлове Грш:%lu %s Грешка при четене от сървъра Грешка при четене от сървъра. Отдалеченият сървър прекъсна връзката Грешка при записа на файл Неуспех при изпълняване на dpkg. Имате ли административни права? Неуспех Неуспех при създаването на IPC pipe към подпроцеса Неуспех при изтеглянето на %s  %s Неуспех при изтеглянето на някои архиви. Неуспех при монтиране на %s на %s Неуспех при обработката на зависимостите за компилиране Неуспех при задаването на време на промяна Неуспех при получаването на атрибути Грешка при получаването на атрибути за %s Изтегляне на изходен код %s
 Изтеглени %sB за %s (%sB/сек)
 Файлът не е намерен Следване на избора на dselect Изт:%lu %s Поп:%lu %s Хм, изглежда AutoRemover скапа нещо, а това не би трябвало
да се случва. Съобщете за грешка в пакета apt. Странно... Размерите не съвпадат, изпратете е-поща на apt@packages.debian.org Обаче следните пакети го заместват: Игн:%lu %s Инсталиране на нови пакети (пакет е libc6, а не libc6.deb) Инсталиране на тези пакети без проверка? Вътрешна грешка, AutoRemover счупи нещо в системата Вътрешна грешка Вътрешна грешка, „InstallPackages“ е предизвикано при счупени пакети! Вътрешна грешка, „Ordering“ не завърши Вътрешна грешка, „problem resolver“ счупи нещо в системата Вътрешна грешка: Валиден подпис, но не може да се провери отпечатъка на ключа?! Невалиден адрес-URI, локалните адреси-URI не трябва да започват с „//“ Списък с имената на всички пакети, за които има информация Влизане Командата „%s“ на скрипта за влизане се провали, сървърът съобщи: %s Маркиране на пакети като инсталирани автоматично Маркиране на пакети като инсталирани ръчно Смесване на наличната информация Трябва да укажете поне един пакет за проверка на зависимости за компилиране Трябва да укажете поне един пакет за изтегляне на изходния му код N Забележка: това е само симулация!
           %s има нужда от административни права за да работи.
           Заключването е деактивирано, така че не разчитайте
           на повтаряемост в реална ситуация.
 Пакетирането на „%s“ се разработва в система за контрол на версиите „%s“ на адрес:
%s
 Необходимо е да се изтеглят %sB архиви.
 Необходимо е да се изтеглят %sB архиви изходен код.
 Необходимо е да се изтеглят %sB/%sB архиви.
 Необходимо е да се изтеглят %sB/%sB архиви изходен код.
 Липсва информация за архитектурата %s. Прегледайте информацията за APT::Architectures в apt.conf(5). Няма намерени пакети Избиране на %s за регулярен израз „%s“
 Избиране на %s за задача „%s“
 Избиране на „%s“ вместо „%s“
 Това се прави автоматично от dpkg. PASS се провали, сървърът съобщи: %s Пакетът %s е виртуален пакет, осигурен от:
 Пакетът %s не е наличен, но е в списъка със зависимости на друг пакет.
Това може да означава, че пакета липсва, остарял е, или е достъпен
само от друг източник
 Пакетът %s версия %s има неудовлетворена зависимост:
 Пакетът „%s“ няма кандидат за инсталиране Пакетът „%s“ не е инсталиран, така че не е премахнат
 Пакетът „%s“ не е инсталиран, така че не е премахнат. Може би имахте предвид „%s“?
 Пакетни файлове: Трябва да бъдат премахнати пакети, но премахването е изключено. Обновяване на системата Използване на пакет източник „%s“ вместо „%s“
 Отбити пакети: Укажете име за този диск, например „Debian 5.0.3 Disk1“ Използвайте „apt-cdrom“, за да може този CD-ROM да се разпознава от APT. „apt-get update“ не може да се използва за добавяне на нови дискове Използвайте:
%s
за да изтеглите последните промени в пакета (евентуално в процес на разработка).
 Проблем при хеширане на файла Развален протокол Запитване Грешка при четене Препоръчвани пакети: Грешка при компилирането на регулярния израз - %s Преинсталацията на %s не е възможна, не може да бъде изтеглен.
 Автоматично премахване на всички неизползвани пакети Премахване на пакети Премахване на пакети, включително файловете им с настройки Повторете този процес за останалите дискове от комплекта. Изтегляне на нови списъци с пакети Търсене в списъка с пакети за регулярен израз Неуспех на избора Избрана е версия %s (%s) за %s
 Избрана е версия „%s“ (%s) за „%s“ заради „%s“
 Сървърът разпадна връзката Показване на записа за пакет Показване на настройките на политиката Необработена информация за зависимостите на даден пакет Информация за обратните зависимости на даден пакет Показване на записите за пакети с изходен код Пропускане на %s, вече е инсталиран и не е маркиран за актуализация.
 Пропускане на %s, който не е инсталиран при заявени само обновявания.
 Пропускане на вече изтегления файл „%s“
 Пропускане на разпакетирането на вече разпакетирания изходен код в %s
 Възникнаха някои грешки при разпакетирането. инсталираните пакети Някои файлове не можаха да бъдат изтеглени Някои пакети не можаха да бъдат удостоверени Някои пакети не можаха да бъдат инсталирани. Това може да означава,
че сте изискали невъзможна ситуация или ако използвате нестабилната
дистрибуция, че някои необходими пакети още не са създадени или пък
са били преместени от Incoming. Нещо лошо се случи при намирането на IP адреса на „%s:%s“ (%i - %s) Предложени пакети: Поддържани модули: TYPE се провали, сървърът съобщи: %s Временен неуспех при намирането на IP адреса на „%s“ HTTP сървърът изпрати невалидна заглавна част „Content-Length“ HTTP сървърът изпрати невалидна заглавна част „Content-Range“ HTTP сървърът изпрати невалидна заглавна част като отговор Следните НОВИ пакети ще бъдат инсталирани: Следните задържани пакети ще бъдат променени: Следната информация може да помогне за намиране на изход от ситуацията: Следният пакет е отстранен от системата поради препокриване на всичките му файлове от други пакети: Следните пакети са отстранени от системата поради препокриване на всичките им файлове от други пакети: Следният пакет е бил инсталиран автоматично и вече не е необходим: Следните пакети са били инсталирани автоматично и вече не са необходими: Следните пакети няма да бъдат променени: Следните пакети имат неудовлетворени зависимости: Следните пакети ще бъдат ВЪРНАТИ КЪМ ПО-СТАРА ВЕРСИЯ: Следните пакети ще бъдат ПРЕМАХНАТИ: Следните пакети ще бъдат актуализирани: Следните подписи не можаха да бъдат проверени, защото публичния ключ не е наличен:
 Следните подписи са невалидни:
 Списъкът с източници не можа да бъде прочетен. Сървърът отказа свързване и съобщи: %s Командата „update“ не възприема аргументи Това APT има Върховни Сили. HTTP сървърът няма поддръжка за прехвърляне на фрагменти на файлове Тази команда е остаряла. Вместо нея използвайте „apt-mark auto“ и „apt-mark manual“. Тази командата е остаряла. Използвайте „apt-mark showauto“ вместо нея. Общо отношения описание/файл:  Общо отношения „Осигурява“:  Общо зависимости:  Общо уникални описания:  Общо уникални версии:  Общо разгърнати низове:  Общо имена на пакети :  Общо пакетни структури:  Общо празно пространство:  Общо отчетено пространство:  Общо отношения версия/файл:  Указано е „Trivial Only“, но това не е тривиална операция. USER се провали, сървърът съобщи: %s Невъзможно е да се приеме свързването Неуспех при свързване с %s:%s: Неуспех при коригирането на зависимостите Неуспех при коригирането на липсващите пакети. Неуспех при установяването на локалното име Неуспех при установяването на името на отдалечения сървър Неуспех при изтеглянето на файла, сървърът съобщи „%s“ Неуспех при изтеглянето на някои архиви, може да изпълните „apt-get update“ или да опитате с „--fix-missing“? Неуспех при намирането на изходен код на пакет %s Неуспех при получаването на информация за зависимостите за компилиране на %s Неуспех при извикването на  Пакетът %s не може да бъде намерен Неуспех при заключването на директорията за изтегляне Неуспех при минимизирането на набора актуализации Неуспех при четенето на базата %s със CD-ROM Неуспех при изпращането на командата PORT Неуспех при демонтирането на CD-ROM в %s, може все още да се използва. Неизвестно семейство адреси %u (AF_*) Неизвестен формат на дата Неизвестна грешка при изпълнението на apt-key Неудовлетворени зависимости. Опитайте „apt --fix-broken install“ без пакети (или укажете разрешение). Командата за разпакетиране „%s“ пропадна.
 Използвайте „%s“ за да го премахнете. Използвайте „%s“ за да ги премахнете. Проверка за неудовлетворени зависимости Виртуални пакети като „%s“ не могат да се премахват
 ПРЕДУПРЕЖДЕНИЕ: Следните необходими пакети ще бъдат премахнати.
Това НЕ би трябвало да става освен ако знаете точно какво правите! ПРЕДУПРЕЖДЕНИЕ: Следните пакети не могат да бъдат удостоверени! Чакане на заглавни части Не би трябвало да се изтрива. AutoRemover няма да бъде стартиран Грешка при запис Грешен CD-ROM Y Нямате достатъчно свободно пространство в %s. Възможно е да изпълните „apt --fix-broken install“, за да коригирате тези неизправности. Трябва да въведете поне един шаблон за търсене Трябва изрично да изберете един за инсталиране. [IP: %s %s] [Y/n] [y/N] над това съобщение за важни. Коригирайте ги и изпълнете [I]nstall наново но е инсталиран %s но ще бъде инсталиран %s но той е виртуален пакет но той няма да бъде инсталиран но той не може да бъде инсталиран но той не е инсталиран getaddrinfo не успя да се добере до слушащо гнездо или грешки, причинени от липсващи зависимости. Това е нормално, само грешките ще бъдат конфигурирани. Това може да доведе до дублирани грешки                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          3        G   L      h  
   i     w                                                  "     7     G     X     j                 *          
               (   )     R  
   a     l                 -     '     (        E     Z     t                 ;             0     D     P     d     ~  #                      
     
     
     
       !   '  	   I     S  	   X     b     |                                   $     0  *   I     t                 1        
     
     '
     <
     T
     h
  ,   z
  %   
  (   
     
     	     %     ;     [     x  G                            -     I     `     y          &       2                  	          /   3                         .   +       #   -       )          
       '         ,          
   *             "                    1                 (             !   %                      0       $                 Installed:    Missing:    Mixed virtual packages:    Normal packages:    Pure virtual packages:    Single virtual packages:   Done  or Abort. Aborting install. Arguments not in pairs Bad default setting! Broken packages Connecting to %s Connection failed Correcting dependencies... Do you want to continue? Failed File not found However the following packages replace it: Internal error Logging in Merging available information No packages found Package %s version %s has an unmet dep:
 Package files: Read error Recommended packages: Server closed the connection Suggested packages: Supported modules: The following NEW packages will be installed: The following packages will be REMOVED: The following packages will be upgraded: Total dependencies:  Total distinct versions:  Total package names:  Total ver/file relations:  Unable to correct dependencies Unable to locate package %s Unable to unmount the CD-ROM in %s, it may still be in use. Unknown date format Waiting for headers Write error but %s is installed but %s is to be installed but it is a virtual package but it is not going to be installed but it is not installable but it is not installed Project-Id-Version: apt 0.5.26
Report-Msgid-Bugs-To: APT Development Team <deity@lists.debian.org>
PO-Revision-Date: 2004-05-06 15:25+0100
Last-Translator: Safir Šećerović <sapphire@linux.org.ba>
Language-Team: Bosnian <lokal@lugbih.org>
Language: bs
MIME-Version: 1.0
Content-Type: text/plain; charset=utf-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;
   Instalirano:   Nedostajući:   Miješani virtuelni paketi:   Normalni paketi:   Čisto virtuelni paketi:   Pojedinačni virutuelni paketi:  Urađeno  ili Odustani. Odustajem od instalacije. Argumenti nisu u parovima Loša podrazumjevana postavka! Oštećeni paketi Povezujem se sa %s Povezivanje neuspješno Ispravljam zavisnosti... Da li želite nastaviti? Neuspješno Datoteka nije pronađena Međutim, slijedeći paketi ga zamjenjuju: Unutrašnja greška Prijavljujem se Sastavljam dostupne informacije Paketi nisu pronađeni Paket %s verzije %s ima nezadovoljenu zavisnost:
 Datoteke paketa: Greška pri čitanju Preporučeni paketi: Server je zatvorio vezu Predloženi paketi: Podržani moduli: Slijedeći NOVI paketi će biti instalirani: Slijedeći paketi će biti UKLONJENI: Slijedeći paketi će biti nadograđeni: Ukupno zavisnosti: Ukupno različitih verzija: Ukupno naziva paketa: Ukupno Verzija/Datoteka odnosa: Ne mogu ispraviti zavisnosti Ne mogu pronaći paket %s Ne mogu demontirati CD-ROM na %s, moguće je da se još uvijek koristi. Nepoznat oblik datuma Čekam na zaglavlja Greška pri pisanju ali je %s instaliran ali se %s treba instalirati ali je virtuelni paket ali se neće instalirati ali se ne može instalirati ali nije instaliran                                                                                            x               x  
   y  
                                                   *   
   C      N      W      [         $         !     !  $   !  #   !     "     "  -   ,"     Z"     y"  '   "     "  #   "     "     #     ,#  /   I#  *   y#     #  ;   #  P   #  T   8$  !   $     $     $  4   $  A   $     ?%     \%  /   s%  #   %  W   %     &     4&     D&     T&     d&  0   &  -   &  -   &  ,   
'  )   :'     d'  -   z'  .   '  Q   '     )(  0   ))     Z)     o)     )     )     )     )     )     )     	*  3   !*  !   U*  5   w*      *     *  1   *  %   +  E   @+     +     +  #   +     +     +     ,  &   -,  6   T,     ,  $   ,  O   ,     -  :   )-     d-  8   t-  +   -     -  6   -     ).  #   F.     j.  "   .  
   .     .  7   .     	/  Q   /  $   q/     /  '   /     /     /     /      0  $   90     ^0     ~0     0     0     0  A   0     
1     1     61  
   G1     R1  P   j1  
   1  x   1  @   ?2  *   2  9   2  
   2  1   2  ,   "3  '   O3     w3  @   3  &   3  ,   3  I   4  .   e4  J   4  ,   4     5  
   5  1   5     Q5  B   m5  2   5  -   5  W   6     i6  K   6     6  8   6  5    7  +   V7     7     7  O   T8     8     8  $   8  !    9  (   "9     K9  Z   ,:     :     :  #   :  $   :  #   :  %   ;  9   A;  4   {;  8   ;     ;  -   <     4<  (   <  *   
=  .   5=  B   d=     =  3   =  D   =     />  /   B>     r>  3   >  B   >  l   >  T   g?     ?  2   ?  -   
@  "   8@     [@     p@     @  
   @     @     @  /   @  ?   @  (   8A     aA      qA  8   A  8   A     B     #B  +   >B  9   jB  
   B     B     B     B  $   C  4   (C     ]C  &   zC     C  -   C  1   C     D  3   *D  L   ^D  =   D  B   D  &   ,E  1   SE  B   E     E  (   E     F  5   F     ,G     4G     HG     [G     zG      G  5   G  4   G  ,   #H  -   PH  4   ~H  ,   H  <   H     I     I  +   J  /   J  *   J  '   K  A   <K  (   ~K  W   K  '   K  &   'L  .   NL  %   }L     L     0M  S   M     N  &   2N  )   YN  U   N  C   N     O     9O     SO     hO     O     O     O     O     O     O     P  ;   4P     pP     P     P     P  #   P  "   Q  !   +Q  &   MQ  R   tQ  &   Q  1   Q      R     2R  %   NR  "   tR  $   R     R  ;   R      S     5S     IS  \   iS     S      S  (   T  b   -T  C  T    U     W     X  V  IY    Z  *  [  /   \  ,   
]  ,   :]  ~   g]  8   ]     ^  <   3^     p^     |^     ^  '   ^  B   ^  )   ^  ,    _  5   M_     _     _     _     _     _     _     _     `     `     *`  I   0`     z`     `     `     `  #   `     `     a  /   ,a     \a  )   xa  ,   a      a  -   a  0   b     Ob  $   `b  4   b     b  E   b     c     0c     @c     [c     zc  %   c     c  !   c  3   c  <   d     Pd  7   md    d     f     f  
   f     f     f     f     f     g     0g     5g     Dg     \g     rg     ~g     g     %h  .   ;h     jh     h  &   i  *   ;i     fi     ri  2   i     i  %   i  ,   i     +j  0   Kj  +   |j     j     j  5   j  0   k     Bk  B   Hk  S   k  k   k  2   Kl     ~l  #   l  @   l  K   l  $   7m      \m  2   }m  &   m  |   m  "   Tn     wn     n     n  &   n  I   n  <   8o  8   uo  8   o  8   o  %    p  ,   Fp  6   sp  `   p    q  5   *r     `r     yr     r  &   r     r  .   r  .   s  &   Js  "   qs  R   s  -   s  H   t  %   ^t     t  7   t  *   t  ]   u      cu     u  -   u  !   u  5   u  5   (v  =   ^v  E   v     v  3   v  M   .w     |w  4   w     w  7   w  ,   x     <x  *   Nx  &   yx  -   x  %   x  ,   x  
   !y  1   ,y  T   ^y  ,   y  S   y  )   4z  	   ^z  1   hz     z  $   z  $   z  6   {  3   8{  -   l{     {  +   {     {     {  \   |     p|  "   |     |  
   |     |  ^   |  
   =}  }   H}  O   }  .   ~  D   E~  
   ~  ;   ~  6   ~  G        P  P   ]  8     L     g   4  7     T   Ԁ  /   )     Y     j  E        Ɂ  S     ;   <  6   x  ]     +   
  J   9       X     @     ;   7     s     u  _   X  "        ۅ  '     !   !  +   C    o  q               E   $  T   j  H     D     W   M  a     8     &   @  5   g       =   ^  1     B   ΋  W        i  I   }  K   ǌ       9   /     i  -   y  G     y     ]   i     ǎ  :     5   "  '   X  @             ҏ     ۏ       B      8   C  E   |  8          ,   
  8   :  D   s  !     "   ڑ  @     =   >     |                В  .     @     "   ^  &     $     8   ͓  8     $   ?  J   d  d     Q     Q   f  +     I     P   .  $     (       ͖  >   ԗ          $     7  5   H  &   ~  2     F   ؘ  E     @   e  +     -   ҙ  -      ?   .     n     W  &     9     *   S  $   ~  E     &     `     +   q  (     1   Ɲ                  P   1  "     ,     :   ҟ  N   
  <   \  .     "   Ƞ       (     $   4  2   Y        &        ԡ       *   
  I   8  &             ɢ  &     ,   
  !   :  2   \  <     d   ̣  (   1  M   Z            ,   פ  -     .   2     a  C     /   å       5     q   F  +     (     >   
  v   L  u  ç  $  9    ^     s  t  K  T    U    B   k  /     5   ޱ       4         ˲  V        C     V     h      j  L     ,   س  B     :   H                         δ  "     
             -     H  k   N          ͵                    6     Q  1   l  /     3   ζ  9     &   <  O   c  4          "     >        ]  U   }     Ӹ             &        @  )   Z  
     -     7     A     '   7  6   _     Z   )   :  T             7  a           .   m     _  =  w         R         s  m           r  v     
                    U      K                       I      \                     A  U  a          @       |             ?  &        M            D      e  g              1       j  z   F   E   3   I      4  h   #  x           -   ^            y   8       ,  
   #                                        p                 F  >                   j                  W          >   :   H               Y        
  2   J           n       (          X  Q          *      w       /                           [       h     "         E  O     B   d              ,           D   s                                 2             {   J      %                9        u   !              <  f  	   (      b                r   ~   M         ;                    -  d      l  Y   $     )                G   +         +   `     /       f   ]          *                 S      '   N  x         g            7     N                              k                    Q      0       G        4       S            V           n  `   %   k  $      b   L   3        &  W        \      ]  u      0  6         A           Z                      t                   !        "              H        5  C                          @         '  q                   .  c  ;       C      ^         _   L           T         <      K         c               p   9  q      
     l        =             t          8   1                           [                i       v     	              6           i            R   5       o   P      P  X                      o          O       B        }              e   ?                     V     Candidate:    Installed:    Missing:    Mixed virtual packages:    Normal packages:    Pure virtual packages:    Single virtual packages:    Version table:  Done  [Installed]  [Not candidate version]  [Working]  failed.  or %i package can be upgraded. Run 'apt list --upgradable' to see it.
 %i packages can be upgraded. Run 'apt list --upgradable' to see them.
 %lu downgraded,  %lu not fully installed or removed.
 %lu package was automatically installed and is no longer required.
 %lu packages were automatically installed and are no longer required.
 %lu reinstalled,  %lu to remove and %lu not upgraded.
 %lu upgraded, %lu newly installed,  %s (due to %s) %s -> %s with priority %d
 %s can not be marked as it is not installed.
 %s does not take any arguments %s has no build depends.
 %s is already the newest version (%s).
 %s set on hold.
 %s set to automatically installed.
 %s set to manually installed.
 %s was already not on hold.
 %s was already set on hold.
 %s was already set to automatically installed.
 %s was already set to manually installed.
 (none) --fix-missing and media swapping is not currently supported --force-yes is deprecated, use one of the options starting with --allow instead. A proxy server was specified but no login script, Acquire::ftp::ProxyLogin is empty. A response overflowed the buffer. Abort. Aborting install. After this operation, %sB disk space will be freed.
 After this operation, %sB of additional disk space will be used.
 All packages are up to date. Arguments not in pairs At least one invalid signature was encountered. Authentication warning overridden.
 Automatically disabled %s due to incorrect response from server/proxy. (man 5 apt.conf) Bad default setting! Bad header data Bad header line Broken packages Build command '%s' failed.
 Cache is out of sync, can't x-ref a package file Can not find a package '%s' with release '%s' Can not find a package '%s' with version '%s' Can not find a package for architecture '%s' Can not find version '%s' of package '%s' Canceled hold on %s.
 Cannot initiate the connection to %s:%s (%s). Check if the 'dpkg-dev' package is installed.
 Clearsigned file isn't valid, got '%s' (does the network require authentication?) Configuration options and syntax is detailed in apt.conf(5).
Information about how to configure sources can be found in sources.list(5).
Package and version choices can be expressed via apt_preferences(5).
Security details are available in apt-secure(8).
 Configure build-dependencies for source packages Connected to %s (%s) Connecting to %s Connecting to %s (%s) Connection closed prematurely Connection failed Connection timed out Connection timeout Correcting dependencies... Could not bind a socket Could not connect data socket, connection timed out Could not connect passive socket. Could not connect to %s:%s (%s), connection timed out Could not connect to %s:%s (%s). Could not create a socket Could not create a socket for %s (f=%u t=%u p=%u) Could not determine the socket's name Could not execute 'apt-key' to verify signature (is gnupg installed?) Could not listen on the socket Could not resolve '%s' Couldn't determine free space in %s Couldn't find package %s Data socket connect timed out Data socket timed out Data transfer failed, server said '%s' Direct connection to %s domains is blocked by default. Disk not found. Distribution upgrade, see apt-get(8) Do you want to accept these changes and continue updating from this repository? Do you want to continue? Do you want to erase any previously downloaded .deb files? Download Failed Download and display the changelog for the given package Download complete and in download only mode Download source archives Download the binary package into the current directory EPRT failed, server said: %s Empty files can't be valid archives Erase downloaded archive files Erase old downloaded archive files Err:%lu %s Error reading from server Error reading from server. Remote end closed connection Error writing to file Essential packages were removed and -y was used without --allow-remove-essential. Executing dpkg failed. Are you root? Failed Failed to create IPC pipe to subprocess Failed to fetch %s  %s Failed to fetch some archives. Failed to mount '%s' to '%s' Failed to parse %s. Edit again?  Failed to process build dependencies Failed to set modification time Failed to stat Failed to stat %s Fetch source %s
 Fetched %sB in %s (%sB/s)
 File has unexpected size (%llu != %llu). Mirror sync in progress? File not found Follow dselect selections Full Text Search Get:%lu %s GetSrvRec failed for %s Held packages were changed and -y was used without --allow-change-held-packages. Hit:%lu %s Hmm, seems like the AutoRemover destroyed something which really
shouldn't happen. Please file a bug report against apt. How odd... The sizes didn't match, email apt@packages.debian.org However the following packages replace it: If you meant to use Tor remember to use %s instead of %s. Ign:%lu %s Install new packages (pkg is libc6 not libc6.deb) Install these packages without verification? Internal Error, AutoRemover broke stuff Internal error Internal error, InstallPackages was called with broken packages! Internal error, Ordering didn't finish Internal error, problem resolver broke stuff Internal error: Good signature, but could not determine key fingerprint?! Invalid URI, local URIS must not start with // Invalid operator '%c' at offset %d, did you mean '%c%c' or '%c='? - in: %s List the names of all packages in the system Listing Logging in Login script command '%s' failed, server said: %s Mark a package as held back Mark all dependencies of meta packages as automatically installed. Mark the given packages as automatically installed Mark the given packages as manually installed Media change: please insert the disc labeled
 '%s'
in the drive '%s' and press [Enter]
 Merging available information More information about this can be found online in the Release notes at: %s Most used commands: Must specify at least one package to check builddeps for Must specify at least one package to fetch source for Must specify at least one pair url/filename N NOTE: This is only a simulation!
      %s needs root privileges for real execution.
      Keep also in mind that locking is deactivated,
      so don't depend on the relevance to the real current situation!
 NOTICE: '%s' packaging is maintained in the '%s' version control system at:
%s
 Need one URL as argument Need to get %sB of archives.
 Need to get %sB of source archives.
 Need to get %sB/%sB of archives.
 Need to get %sB/%sB of source archives.
 No CD-ROM could be auto-detected or found using the default mount point.
You may try the --cdrom option to set the CD-ROM mount point.
See 'man apt-cdrom' for more information about the CD-ROM auto-detection and mount point. No architecture information available for %s. See apt.conf(5) APT::Architectures for setup No changes necessary No packages found Note, selecting '%s' for glob '%s'
 Note, selecting '%s' for regex '%s'
 Note, selecting '%s' for task '%s'
 Note, selecting '%s' instead of '%s'
 Note, using directory '%s' to get the build dependencies
 Note, using file '%s' to get the build dependencies
 Note: This is done automatically and on purpose by dpkg. PASS failed, server said: %s Package %s is a virtual package provided by:
 Package %s is not available, but is referred to by another package.
This may mean that the package is missing, has been obsoleted, or
is only available from another source
 Package %s version %s has an unmet dep:
 Package '%s' has no installation candidate Package '%s' is not installed, so not removed
 Package '%s' is not installed, so not removed. Did you mean '%s'?
 Package files: Packages need to be removed but remove is disabled. Packages were downgraded and -y was used without --allow-downgrades. Perform an upgrade Picking '%s' as source package instead of '%s'
 Pinned packages: Please insert a Disc in the drive and press [Enter] Please provide a name for this Disc, such as 'Debian 5.0.3 Disk 1' Please use apt-cdrom to make this CD-ROM recognized by APT. apt-get update cannot be used to add new CD-ROMs Please use:
%s
to retrieve the latest (possibly unreleased) updates to the package.
 Press [Enter] to continue. Print the list of automatically installed packages Print the list of manually installed packages Print the list of packages on hold Problem hashing file Protocol corruption Query Read error Recommended packages: Regex compilation error - %s Reinstall packages (pkg is libc6 not libc6.deb) Reinstallation of %s is not possible, it cannot be downloaded.
 Remove automatically all unused packages Remove packages Remove packages and config files Repeat this process for the rest of the CDs in your set. Repository '%s' changed its '%s' value from '%s' to '%s' Retrieve new lists of packages Satisfy dependency strings Search the package list for a regex pattern See %s for more information about the available commands. Select failed Selected %s for installation.
 Selected %s for purge.
 Selected %s for removal.
 Selected version '%s' (%s) for '%s'
 Selected version '%s' (%s) for '%s' because of '%s'
 Server closed the connection Show a readable record for the package Show policy settings Show raw dependency information for a package Show reverse dependency information for a package Show source records Signature by key %s uses weak digest algorithm (%s) Signed file isn't valid, got '%s' (does the network require authentication?) Skipping %s, it is already installed and upgrade is not set.
 Skipping %s, it is not installed and only upgrades are requested.
 Skipping already downloaded file '%s'
 Skipping unpack of already unpacked source in %s
 Some errors occurred while unpacking. Packages that were installed Some files failed to download Some packages could not be authenticated Some packages could not be installed. This may mean that you have
requested an impossible situation or if you are using the unstable
distribution that some required packages have not yet been created
or been moved out of Incoming. Something wicked happened resolving '%s:%s' (%i - %s) Sorting Suggested packages: Supported modules: System error resolving '%s:%s' TYPE failed, server said: %s Temporary failure resolving '%s' The HTTP server sent an invalid Content-Length header The HTTP server sent an invalid Content-Range header The HTTP server sent an invalid reply header The following NEW packages will be installed: The following additional packages will be installed: The following held packages will be changed: The following information may help to resolve the situation: The following package disappeared from your system as
all files have been overwritten by other packages: The following packages disappeared from your system as
all files have been overwritten by other packages: The following package was automatically installed and is no longer required: The following packages were automatically installed and are no longer required: The following packages have been kept back: The following packages have unmet dependencies: The following packages will be DOWNGRADED: The following packages will be REMOVED: The following packages will be marked as automatically installed: The following packages will be upgraded: The following signatures couldn't be verified because the public key is not available:
 The following signatures were invalid:
 The list of sources could not be read. The server refused the connection and said: %s The update command takes no arguments There is %i additional record. Please use the '-a' switch to see it There are %i additional records. Please use the '-a' switch to see them. There is %i additional version. Please use the '-a' switch to see it There are %i additional versions. Please use the '-a' switch to see them. There were unauthenticated packages and -y was used without --allow-unauthenticated This APT has Super Cow Powers. This APT helper has Super Meep Powers. This HTTP server has broken range support This command is deprecated. Please use 'apt-mark auto' and 'apt-mark manual' instead. This command is deprecated. Please use 'apt-mark showauto' instead. Total Desc/File relations:  Total Provides mappings:  Total dependencies:  Total distinct descriptions:  Total distinct versions:  Total globbed strings:  Total package names:  Total package structures:  Total slack space:  Total space accounted for:  Total ver/file relations:  Trivial Only specified but this is not a trivial operation. USER failed, server said: %s Unable to accept connection Unable to connect to %s:%s: Unable to correct dependencies Unable to correct missing packages. Unable to determine the local name Unable to determine the peer name Unable to fetch file, server said '%s' Unable to fetch some archives, maybe run apt-get update or try with --fix-missing? Unable to find a source package for %s Unable to get build-dependency information for %s Unable to invoke  Unable to locate package %s Unable to lock the download directory Unable to minimize the upgrade set Unable to read the cdrom database %s Unable to send PORT command Unable to unmount the CD-ROM in %s, it may still be in use. Unknown address family %u (AF_*) Unknown date format Unknown error executing apt-key Unmet dependencies. Try 'apt --fix-broken install' with no packages (or specify a solution). Unpack command '%s' failed.
 Unset a package set as held back Unsupported file %s given on commandline Usage of %s should be preferred over embedding login information directly in the %s entry for '%s' Usage: apt [options] command

apt is a commandline package manager and provides commands for
searching and managing as well as querying information about packages.
It provides the same functionality as the specialized APT tools,
like apt-get and apt-cache, but enables options more suitable for
interactive use by default.
 Usage: apt-cache [options] command
       apt-cache [options] show pkg1 [pkg2 ...]

apt-cache queries and displays available information about installed
and installable packages. It works exclusively on the data acquired
into the local cache via the 'update' command of e.g. apt-get. The
displayed information may therefore be outdated if the last update was
too long ago, but in exchange apt-cache works independently of the
availability of the configured sources (e.g. offline).
 Usage: apt-cdrom [options] command

apt-cdrom is used to add CDROM's, USB flashdrives and other removable
media types as package sources to APT. The mount point and device
information is taken from apt.conf(5), udev(7) and fstab(5).
 Usage: apt-config [options] command

apt-config is an interface to the configuration settings used by
all APT tools, mainly intended for debugging and shell scripting.
 Usage: apt-get [options] command
       apt-get [options] install|remove pkg1 [pkg2 ...]
       apt-get [options] source pkg1 [pkg2 ...]

apt-get is a command line interface for retrieval of packages
and information about them from authenticated sources and
for installation, upgrade and removal of packages together
with their dependencies.
 Usage: apt-helper [options] command
       apt-helper [options] cat-file file ...
       apt-helper [options] download-file uri target-path

apt-helper bundles a variety of commands for shell scripts to use
e.g. the same proxy configuration or acquire system as APT would.
 Usage: apt-mark [options] {auto|manual} pkg1 [pkg2 ...]

apt-mark is a simple command line interface for marking packages
as manually or automatically installed. It can also be used to
manipulate the dpkg(1) selection states of packages, and to list
all packages with or without a certain marking.
 Use '%s' to remove it. Use '%s' to remove them. Verify that there are no broken dependencies Virtual packages like '%s' can't be removed
 WARNING: The following essential packages will be removed.
This should NOT be done unless you know exactly what you are doing! WARNING: The following packages cannot be authenticated! Waiting for headers We are not supposed to delete stuff, can't start AutoRemover Write error Wrong CD-ROM Y You don't have enough free space in %s. You might want to run 'apt --fix-broken install' to correct these. You must give at least one search pattern You should explicitly select one to install. Your '%s' file changed, please run 'apt-get update'.
 [IP: %s %s] [Y/n] [installed,auto-removable] [installed,automatic] [installed,local] [installed,upgradable to: %s] [installed] [residual-config] [upgradable from: %s] [y/N] above this message are important. Please fix them and run [I]nstall again analyse a pattern but %s is installed but %s is to be installed but it is a virtual package but it is not going to be installed but it is not installable but it is not installed concatenate files, with automatic decompression detect proxy using apt.conf download the given uri to the target-path drop privileges before running given command edit the source information file get configuration values via shell evaluation getaddrinfo was unable to get a listening socket install packages list packages based on package names lookup a SRV record (e.g. _http._tcp.ftp.debian.org) not a real package (virtual) or errors caused by missing dependencies. This is OK, only the errors reinstall packages remove packages satisfy dependency strings search in package descriptions show package details show the active configuration setting unknown update list of available packages upgrade the system by installing/upgrading packages upgrade the system by removing/installing/upgrading packages wait for system to be online will be configured. This may result in duplicate errors Project-Id-Version: apt 1.4~beta1
Report-Msgid-Bugs-To: APT Development Team <deity@lists.debian.org>
PO-Revision-Date: 2020-08-09 22:43+0200
Last-Translator: Aleix Vidal i Gaya <aleix@softcatala.org>
Language-Team: Catalan <debian-l10n-catalan@lists.debian.org>
Language: ca
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n != 1);
X-Generator: Poedit 2.2.1
X-Poedit-Bookmarks: 502,178,-1,-1,-1,-1,-1,-1,-1,-1
   Candidat:    Instal·lat:    Falten:    Paquets virtuals mixtes:    Paquets normals:    Paquets virtuals purs:    Paquets virtuals únics:    Taula de versions:  Fet  [Instal·lat]  [Versió no candidata]  [S'està treballant]  ha fallat.  o Es pot actualitzar %i paquet. Executeu «apt list --upgradable» per veure'l.
 Es poden actualitzar %i paquets. Executeu «apt list --upgradable» per a veure'ls.
 %lu desactualitzats,  %lu no instal·lats o suprimits completament.
 El paquet %lu es va instal·lar automàticament i ja no és necessari:
 Els paquets %lu es van instal·lar automàticament i ja no són necessaris:
 %lu reinstal·lats,  %lu a suprimir i %lu no actualitzats.
 %lu actualitzats, %lu nous a instal·lar,  %s (per %s) %s -> %s amb prioritat %d
 %s no es pot marcar perquè no està instal·lat.
 %s no pren cap argument %s no té dependències de muntatge.
 %s ja està en la versió més recent (%s).
 S'ha marcat %s com a retingut.
 S'ha marcat %s com instal·lat automàticament.
 S'ha marcat %s com instal·lat manualment.
 %s ja estava no retingut.
 %s ja estava retingut.
 %s ja estava marcat com instal·lat automàticament.
 %s ja estava marcat com instal·lat manualment.
 (cap) --fix-missing i l'intercanvi de suports no està admès actualment --force-yes està en desús. Utilitzeu una de les opcions que comencen per --allow. S'ha especificat un servidor intermediari però no un script d'accés, Acquire::ftp::ProxyLogin està buit. Una resposta ha desbordat la memòria intermèdia. Avorta. S'està avortant la instal·lació. Després d'aquesta operació s'alliberaran %sB d'espai en disc.
 Després d'aquesta operació s'utilitzaran %sB d'espai en disc addicional.
 Tots els paquets estan actualitzats. Els arguments no són en parells S'ha trobat com a mínim una signatura no vàlida. S'ha ignorat l'avís d'autenticació.
 S'ha desactivat automàticament %s a causa d'una resposta incorrecta del servidor o del servidor intermedi. (man 5 apt.conf) Paràmetre per defecte incorrecte! Capçalera de dades no vàlida Línia de capçalera incorrecta Paquets trencats L'ordre de muntatge «%s» ha fallat.
 Memòria cau no sincronitzada, no es pot fer x-ref a un fitxer del paquet No s'ha pogut trobar un paquet «%s» amb publicació «%s» No s'ha pogut trobar un paquet «%s» amb versió «%s» No s'ha pogut trobar un paquet per l'arquitectura «%s» No s'ha pogut trobar la versió «%s» del paquet «%s» S'ha cancel·lat la retenció de %s.
 No es pot iniciar la connexió a %s:%s (%s). Comproveu si el paquet «dpkgdev» està instal·lat.
 El fitxer signat en clar no és vàlid, s'ha obtingut «%s» (la xarxa requereix autenticació?) Les opcions i sintaxi de configuració es detallen a apt.conf(5).
Podeu trobar informació sobre com configurar les fonts a sources.list(5).
Les eleccions de versió i paquet es poden expressar mitjançant apt_preferences(5).
Els detalls de seguretat estan disponibles a apt-secure(8).
 Configura dependències de muntatge pels paquets font S'ha connectat a %s (%s) S'està connectant a %s S'està connectant a %s (%s) La connexió s'ha tancat prematurament Ha fallat la connexió S'ha esgotat el temps d'espera de la connexió S'ha esgotat el temps d'espera de la connexió S'estan corregint les dependències… No s'ha pogut vincular a un sòcol No s'ha pogut connectar amb el sòcol de dades. El temps de connexió s'ha excedit No s'ha pogut connectar amb el sòcol passiu. No s'ha pogut connectar a %s:%s (%s). S'ha excedit el temps de connexió No s'ha pogut connectar a %s:%s (%s). No s'ha pogut crear un sòcol No s'ha pogut crear un sòcol per a %s (f=%u t=%u p=%u) No s'ha pogut determinar el nom del sòcol No s'ha pogut executar «apt-key» per a verificar la signatura (està instal·lat el gnupg?) No s'ha pogut escoltar al sòcol No s'ha pogut resoldre «%s» No s'ha pogut determinar l'espai lliure en %s No s'ha pogut trobar el paquet %s S'ha esgotat el temps de connexió al sòcol de dades S'ha esgotat el temps d'espera per al sòcol de dades Ha fallat la transferència de dades, el servidor ha dit '%s' Les connexions directes als dominis %s estan bloquejades per defecte. No s'ha trobat el disc. Actualització de la distribució, vegeu apt-get(8) Voleu acceptar aquests canvis i continuar actualitzant des d'aquest dipòsit? Voleu continuar? Voleu suprimir els paquets .deb baixats prèviament? Ha fallat la baixada Baixa i mostra el registre de canvis del paquet indicat Baixada completa i en mode de només baixada Baixa arxius font Baixa el paquet binari al directori actual EPRT ha fallat, el servidor ha dit: %s Els fitxers buits no poden ser arxius vàlids Suprimeix els fitxers d'arxiu baixats Suprimeix els fitxers d'arxiu antics baixats Err:%lu %s S'ha produït un error en llegir des del servidor S'ha produït un error en llegir del servidor. L'extrem remot ha tancat la connexió S'ha produït un error en escriure al fitxer S'han eliminats paquets essencials i s'ha emprat -y sense --allow-remove-essencial. L'execució del dpkg ha fallat. Sou root? Ha fallat No s'ha pogut crear el conducte IPC al subprocés No s'ha pogut obtenir %s  %s No s'han pogut baixar alguns arxius. No s'ha pogut muntar «%s» a «%s» No s'ha pogut analitzar %s. Voleu tornar a editar-lo?  No es poden processar les dependències de muntatge No s'ha pogut establir l'hora de modificació No s'ha pogut fer «stat» S'ha produït un error en fer «stat» a %s Obtén la font %s
 S'ha baixat %sB en %s (%sB/s)
 El fitxer té una mida inesperada (%llu!= %llu). S'està sincronitzant el servidor rèplica? Fitxer no trobat Segueix les seleccions del dselect Cerca a tot el text Bai:%lu %s Ha fallat GetSrvRec per %s Hi ha paquets retinguts que s'han canviat i s'ha emprat -y sense --allow-change-held-packages. Obj:%lu %s Sembla que el supressor automàtic ha destruït alguna cosa que no deuria.
Si us plau, envieu un informe d'error per a l'apt. Que estrany… Les mides no coincideixen, informeu-ho a apt@packages.debian.org Tot i que els següents paquets el reemplacen: Si voleu utilitzar Tor recordeu fer servir «%s» en lloc de «%s». Ign:%lu %s Instal·la nous paquets (el paquet és libc6, no libc6.deb) Voleu instal·lar aquests paquets sense verificar-los? S'ha produït un error intern. El supressor automàtic ha trencat coses Error intern S'ha produït un error intern. S'ha cridat InstallPackages amb paquets trencats! S'ha produït un error intern. L'ordenació no ha acabat S'ha produït un error intern. El solucionador de problemes ha trencat coses Error intern: La signatura és correcta, però no s'ha pogut determinar l'empremta digital de la clau?! URI no vàlid, els URI locals no poden començar per // Operador no vàlid «%c» al desplaçament %d. Voleu dir «%c%c» o «%c=»? - a: %s Llista els noms de tots els paquets del sistema S'està llistant S'està iniciant sessió L'ordre «%s» de l'script d'accés ha fallat, el servidor ha dit: %s Marca el paquet com a retingut Marca totes les dependències dels paquets meta com a instal·lats automàticament. Marca els paquets indicats com instal·lats automàticament Marca els paquets indicats com instal·lats manualment Canvi de suport: inseriu el disc amb l'etiqueta
 «%s»
en la unitat «%s» i premeu [Intro]
 S'està fusionant la informació disponible Podeu trobar-ne més informació en línia a les notes de la versió a: %s Ordres més utilitzades: S'ha d'especificar almenys un paquet per a verificar les dependències de muntatge per a S'ha d'especificar com a mínim un paquet per obtenir-ne la font Cal especificar com a mínim un parell de url/nom_de_fitxer N NOTA: Això només és una simulació!
      L'%s necessita privilegis de root per a l'execució real.
      Tingueu en compte també que el bloqueig està desactivat,
      per tant, no es depèn de la situació actual real.
 AVÍS: L'empaquetat de «%s» és mantingut amb el sistema de control de
versions «%s» a:
%s
 Es necessita un URL com a argument S'ha d'obtenir %sB d'arxius.
 Es necessita baixar %sB d'arxius font.
 S'ha d'obtenir %sB/%sB d'arxius.
 Es necessita baixar %sB/%sB d'arxius font.
 No s'ha pogut detectar cap CD-ROM automàticament o mitjançant el punt de muntatge predeterminat.
Podeu provar l'opció --cdrom per establir el punt de muntatge del CD-ROM.
Vegeu «man apt-cdrom» per més informació sobre l'autodetecció i el punt de muntatge del CD-ROM. No hi ha informació d'arquitectura disponible per a %s. Vegeu apt.conf(5) APT::Architectures per a configurar-ho No es necessiten canvis No s'han trobat paquets Tingueu en compte que s'està seleccionant «%s» per al glob «%s»
 Tingueu en compte que s'està seleccionant «%s» per a l'expressió regular «%s»
 Tingueu en compte que s'està seleccionant «%s» per a la tasca «%s»
 Tingueu en compte que s'està seleccionant «%s» en lloc de «%s»
 Tingueu en compte que s'està emprant «%s» per obtenir les dependències de muntatge
 Tingueu en compte que s'està emprant el fitxer «%s» per obtenir les dependències de muntatge
 Nota: Això ho fa el dpkg automàticament i a propòsit. PASS ha fallat, el servidor ha dit: %s El paquet %s és un paquet virtual proporcionat per:
 El paquet %s no està disponible, però un altre paquet en fa
referència. Això pot voler dir que el paquet falta, que s'ha tornat
obsolet o que només està disponible des d'una altra font.
 El paquet %s versió %s té una dependència sense satisfer:
 El paquet «%s» no té candidat d'instal·lació El paquet «%s» no està instal·lat, així que no se suprimirà
 El paquet «%s» no està instal·lat, així que no se suprimirà. Volíeu dir «%s»?
 Fitxers de paquets: Hi ha paquets que s'han de suprimir però s'ha inhabilitat la supressió. Hi ha paquets que s'han revertit i s'ha emprat -y sense --allow-downgrades. Realitza una actualització S'està agafant «%s» com a paquet font en lloc de '%s'
 Paquets fixats: Inseriu un disc en la unitat i premeu [Intro] Doneu un nom per a aquest disc, com per exemple «Debian 5.0.3 Disc 1» Utilitzeu apt-cdrom perquè aquest CD-ROM sigui reconegut per APT. No es pot emprar apt-get update per afegir nous CD-ROM Empreu:
%s
per obtenir les últimes actualitzacions (possiblement no publicades) del paquet.
 Premeu [Intro] per a continuar. Mostra la llista dels paquets instal·lats automàticament Mostra la llista dels paquets instal·lats manualment Mostra la llista dels paquets retinguts Hi ha hagut un problema calcul·lant la suma «hash» del fitxer Protocol malmès Consulta Error de lectura Paquets recomanats: S'ha produït un error de compilació de l'expressió regular - %s Reinstal·la paquets (el paquet és libc6, no libc6.deb) No és possible la reinstal·lació del paquet %s, no es pot baixar.
 Suprimeix automàticament tots els paquets no utilitzats Suprimeix paquets Suprimeix paquets i fitxers de configuració Repetiu aquest procés per a la resta de CD del conjunt. El dipòsit «%s» ha canviat el seu valor «%s» de «%s» a «%s» Obtén llistes noves dels paquets Satisfés cadenes de dependències Cerca en la llista de paquets per un patró d'expressió regular Vegeu %s per a més informació sobre les ordres disponibles. Ha fallat la selecció Seleccionat %s per instal·lar.
 Seleccionat %s per purgar.
 Seleccionat %s per eliminar.
 Versió seleccionada «%s» (%s) per a «%s»
 Versió seleccionada «%s» (%s) per a «%s» a causa de «%s»
 El servidor ha tancat la connexió Mostra un registre llegible del paquet Mostra la configuració de política Mostra informació de dependències (en cru) d'un paquet Mostra informació de dependències inverses d'un paquet Mostra els registres del paquet font La signatura per la clau %s usa un algoritme de resum «hash» dèbil (%s) El fitxer signat no és vàlid, s'ha obtingut «%s». Comproveu si la xarxa requereix autenticació. S'està ometent %s, ja està instal·lat i l'actualització no està establerta.
 S'està ometent %s, no està instal·lat i només s'han demanat actualitzacions.
 S'està ometent el fitxer ja baixat «%s»
 S'està ometent el desempaquetament de les fonts ja desempaquetades a %s
 S'han produït alguns errors en desempaquetar. Els paquets que s'han instal·lat Alguns fitxers no s'han pogut baixar No s'han pogut autenticar alguns paquets No s'han pogut instal·lar alguns paquets. És possible que hàgiu
demanat una situació impossible o que estigueu utilitzant la
distribució «unstable» i alguns paquets requerits encara no s'hagin
creat o bé encara no els hagin introduït des d'«Incoming». Ha passat alguna cosa estranya en resoldre «%s:%s» (%i - %s) S'està ordenant Paquets suggerits: Mòduls admesos: Hi ha hagut un error de sistema en resoldre «%s:%s» TYPE ha fallat, el servidor ha dit: %s S'ha produït un error temporal en resoldre «%s» El servidor HTTP ha enviat una capçalera de Content-Length no vàlida El servidor HTTP ha enviat una capçalera de Content-Range no vàlida El servidor HTTP ha enviat una capçalera de resposta no vàlida S'instal·laran els paquets NOUS següents: S'instal·laran els següents paquets extres: Es canviaran els paquets retinguts següents: La informació següent pot ajudar-vos a resoldre la situació: El següent paquet ha desaparegut del vostre sistema ja
que tots els fitxers s'han sobreescrit per altres paquets: El següents paquets han desaparegut del vostre sistema ja
que tots els fitxers s'han sobreescrit per altres paquets: El paquet següent s'ha instal·lat automàticament i ja no és necessari: El paquets següents s'han instal·lat automàticament i ja no són necessaris: S'han mantingut els paquets següents: Els següents paquets tenen dependències sense satisfer: Es DESACTUALITZARAN els paquets següents: Se SUPRIMIRAN els paquets següents: Els paquets següents es marcaran com a instal·lats automàticament: S'actualitzaran els paquets següents: Les signatures següents no s'han pogut verificar perquè la clau pública no està disponible:
 Les signatures següents no són vàlides:
 No s'ha pogut llegir la llista de fonts. El servidor ha rebutjat la connexió i ha dit: %s L'ordre update no pren arguments Hi ha %i registre addicional. Utilitzeu l'opció «-a» per veure'l Hi ha %i registres addicionals. Utilitzeu l'opció «-a» per veure'ls. Hi ha %i versió addicional. Utilitzeu l'opció «-a» per veure-la Hi ha %i versions addicionals. Utilitzeu l'opció «-a» per veure-les. Hi ha paquets sense autenticació i s'ha emprat -y sense --allow-unauthenticated Aquest APT té superpoders bovins. Aquest ajudant d'APT té superpoders mugits. Aquest servidor HTTP és compatible amb intervals trencats Aquesta ordre està en desús. Empreu «apt-mark auto» i «apt-mark manual». Aquesta ordre està en desús. Empreu «apt-mark showauto». Nombre total de relacions descripció/fitxer:  Nombre total dels mapes Provides:  Nombre total de dependències:  Nombre total de descripcions diferents:  Nombre total de versions diferents:  Nombre total de cadenes a què s'ha fet «glob»:  Nombre total de noms de paquet:  Nombre total d'estructures de paquet:  Total d'espai desaprofitat:  Total d'espai representat:  Nombre total de relacions versió/fitxer:  S'ha especificat «Trivial Only» però aquesta operació no és trivial. USER ha fallat, el servidor ha dit: %s No es pot acceptar la connexió No es pot connectar a %s:%s: No es poden corregir les dependències No es poden corregir els paquets que falten. No es pot determinar el nom local No es pot determinar el nom de la màquina distant No és possible obtenir el fitxer, el servidor ha dit «%s» No es poden obtenir alguns arxius. Proveu a executar apt-get update o intenteu-ho amb --fix-missing. No es pot trobar un paquet font per a %s No es pot obtenir la informació sobre les dependències de muntatge per a %s No es pot invocar  No s'ha trobat el paquet %s No es pot bloquejar el directori de baixades No es pot minimitzar el joc d'actualitzacions No es pot llegir la base de dades del cdrom %s No es pot enviar l'ordre PORT No es pot muntar el CD-ROM en %s. Potser s'està utilitzant encara. La família d'adreces %u és desconeguda (AF_*) Format de la data desconegut S'ha produït un error desconegut en executar apt-key Dependències no satisfetes. Proveu amb «apt --fix-broken install» sense paquets (o especifiqueu una solució). L'ordre de desempaquetar «%s» ha fallat.
 Desmarca un paquet marcat com a retingut S'ha proporcionat el fitxer no admès %s en la línia d'ordres És preferible l'ús de %s abans que incrustar la informació d'inici de sessió directament a l'entrada %s per «%s» Forma d'ús: apt [opcions] ordre

apt és un gestor de paquets de línia d'ordres que proporciona ordres
per a la cerca i gestió així com la sol·licitud d'informació sobre
els paquets. Proporciona la mateixa funcionalitat que les eines
APT especialitzades, com apt-get i apt-cache, però permet opcions 
més apropiades per a un ús interactiu de forma predeterminada.
 Forma d'ús:  apt-cache [opcions] ordre
     apt-cache [opcions] show paq1 [paq2 …]

apt-cache sol·licita i mostra informació disponible sobre els paquets
instal·lats i els instal·lables. Funciona exclusivament amb les dades obtingudes
en la memòria cau local mitjançant l'ordre «update», p.ex. «apt-get». Per tant, 
la informació mostrada pot estar desactualitzada si l'última actualització
es va fer fa molt, però a canvi apt-cache funciona independentment de la
disponibilitat de les fonts configurades (p.ex., sense connexió).
 Forma d'ús: apt-cdrom [opcions] ordre

apt-cdrom s'utilitza per afegir CDROM's, memòries flaix USB i altres tipus de
suports extraïbles com a orígens de paquets a APT. El punt de muntatge i la 
informació sobre el dispositiu s'obtenen de apt.conf(5), udev(7) i fstab(5).
 Forma d'ús: apt-config [opcions] ordre

apt-config és una interfície per configurar les opcions usades per 
totes les eines APT, destinada principalment a la depuració i 
les seqüències d'intèrpret d'ordres.
 Forma d'ús:  apt-get [opcions] ordre
             apt-get [opcions] install|remove paq1 [paq2 …]
             apt-get [opcions] source paq1 [paq2 …]

apt-get és una interfície de línia d'ordres per obtenir paquets
i la seva informació des d'orígens segurs i per la instal·lació,
actualització i supressió de paquets conjuntament amb les
seves dependències.
 Forma d'ús:  apt-helper [opcions] ordre
             apt-helper [opcions] fitxer-cat fitxer ...
             apt-helper [opcions] fitxer-descarrega uri ruta-destí

apt-helper reuneix un conjunt d'ordres perquè s'utilitzin en seqüències
d'intèrpret d'ordres. Per exemple la mateixa configuració de proxy 
o el mateix sistema que APT.
 Forma d'ús:   apt-mark [opcions] {auto|manual} paq1 [paq2 ...]

apt-mark és una senzilla interfície de línia d'ordres per marcar paquets
com a instal·lats manualment o automàticament. També es pot utilitzar
per manipular els estats de selecció de paquets de dpkg(1), i per llistar
tots els paquets amb o sense una marca determinada.
 Empreu «%s» per a suprimir-lo. Empreu «%s» per a suprimir-los. Verifica que no hi hagi dependències trencades Els paquets virtuals com «%s» no es poden suprimir
 AVÍS: Es suprimiran els paquets essencials següents.
Això NO s'hauria de fer llevat que sapigueu exactament el que esteu fent! AVÍS: No es poden autenticar els següents paquets! S'estan esperant les capçaleres Se suposa que no hauríem de suprimir coses. No es pot iniciar el supressor automàtic Error d'escriptura CD-ROM incorrecte S No teniu prou espai lliure a %s. Pot ser que vulgueu executar «apt --fix-broken install» per a corregir-ho. Heu de donar com a mínim un patró de cerca Hauríeu de seleccionar-ne un explícitament per a instal·lar-lo. El fitxer «%s» ha canviat, executeu «apt-get update».
 [IP: %s %s] [S/n] [instal·lat, auto-eliminable] [instal·lat, automàtic] [instal·lat, local] [Instal·lat, actualitzable a: %s] [instal·lat] [configuració-residual] [actualitzable des de: %s] [s/N] anteriors a aquest missatge són importants. Corregiu-los i torneu a executar [I]nstal·la una altra vegada analitza un patró però està instal·lat %s però s'instal·larà %s però és un paquet virtual però no s'instal·larà però no és instal·lable però no està instal·lat concatena fitxers, amb descompressió automàtica detecta el servidor intermediari usant apt.conf baixa la uri proporcionada a la ruta de destinació descarta els privilegis abans d'executar l'ordre indicada edita el fitxer d'informació d'origen obté valors de configuració mitjançant l'avaluació de l'intèrpret d'ordres gettaddrinfo no ha pogut obtenir un sòcol d'escolta instal·la paquets llista els paquets segons els noms cerca un registre SRV (per exemple, _http._tcp.ftp.debian.org) no és un paquet real (virtual) o errors causats per dependències sense satisfer. Això està bé, només els errors reinstal·la paquets elimina paquets satisfà cadenes de dependència cerca en les descripcions dels paquets mostra detalls del paquet mostra la configuració activa establerta desconegut actualitza la llista dels paquets disponibles actualitza el sistema instal·lant/actualitzant paquets actualitza el sistema eliminant/instal·lant/actualitzant paquets espera que el sistema estigui connectat seran configurats. Això pot provocar errors duplicats                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               |                 
     
                        (      B      ^      o      u         
                           >!  $   O!     t!     !  $   "  #   6"     Z"     i"  -   "     "     "  '   "     #  #   $#     H#     g#     #  /   #  *   #     #  ;   $  P   ?$  T   $  !   $     %     %  4    %  A   U%     %     %  /   %  #   %  W   &     w&     &     &     &     &  0   &  -   	'  -   7'  ,   e'  )   '     '  -   '  .    (  Q   /(     (  0   )     )     )     )     )     *     *     3*     F*     a*  3   y*  !   *  5   *      +     &+  1   @+  %   r+  E   +     +     +  #   ,     8,     Q,     o,  &   ,  6   ,     ,  $   ,  O   -     h-  :   -     -  8   -  +   .     1.  6   J.     .  #   .     .  "   .  
   /     /  7   )/     a/  Q   w/  $   /     /  '   /     0     40     S0      p0  $   0     0     0     0     0     1  A   #1     e1     t1     1  
   1     1  P   1  
   2  x   2  @   2  *   2  9   3  
   =3  1   H3  ,   z3  '   3     3  @   3  &   4  ,   F4  I   s4  .   4  J   4  h   75  ,   5     5  
   5  1   5     6  B   .6  2   q6  -   6  W   6     *7  K   H7     7  8   7  5   7  +   8     C8     E8  O   9     e9     ~9  $   9  !   9  (   9     :  Z   :     H;     ];  #   o;  $   ;  #   ;  %   ;  9   <  4   <<  8   q<     <  -   <     <  (   =  *   =  .   =  B   %>     h>  3   w>  D   >     >  /   ?     3?  3   D?  B   x?  l   ?  T   (@     }@  2   @  -   @  "   @     A     1A     EA  
   KA     VA     lA  /   A  ?   A  (   A     "B      2B  Z   SB  8   B  8   B      C     ?C  +   ZC  9   C  
   C     C     C     D  $   D  4   DD     yD  &   D     D  -   D  1    E     2E  3   FE  L   zE  =   E  B   F  &   HF  1   oF  B   F     F  (   G     +G  5   H     HH     PH     dH     wH     H      H  5   H  4   
I  ,   ?I  -   lI  4   I  ,   I  <   I     9J     K  +   K  /   K  *   L  '   0L  A   XL  (   L  W   L  '   M  &   CM  .   jM  %   M     M     LN  S   N     /O  &   NO  )   uO  U   O  C   O     9P     UP     oP     P     P     P     P     P     Q     Q     5Q  ;   PQ     Q     Q     Q     Q  #    R  "   $R  !   GR  &   iR  R   R  &   R  1   
S     <S     NS  %   jS  "   S  $   S     S  ;   S      0T     QT     eT  \   T     T      T  (    U  b   IU  C  U    V     X     Y  V  eZ    [  *  \  /   ]  ,   )^  ,   V^  ~   ^  8   _     ;_  <   O_     _     _     _  '   _  B   _  )   `  ,   <`  5   i`     `     `     `     `     `     `     a     a     0a     Fa  I   La     a  (   a     a     a     a  #   b     ?b     Yb  /   qb     b  )   b  ,   b      c  -   5c  0   cc     c  $   c  4   c     c  E   d     bd     id     |d     d     d     d  %   d     e  !   	e  3   +e  <   _e     e  7   e    e  
   g     g     g  '   g     g  "   
h  (   -h     Vh     hh     ph     h  
   h  	   h     h     h     i  6   i     i     j  +   j  ,   k     8k     Gk  :   `k  !   k  .   k  %   k  %   l  +   8l  '   dl  )   l  )   l  4   l  0   m  
   Fm  @   Qm  P   m  ^   m     Bn     _n     ln  .   n  7   n  !   n     o  2   *o  &   ]o  U   o     o     o     p     'p  )   ;p  A   ep  0   p  .   p  -   q  ,   5q  8   bq  &   q  :   q  ^   q    \r  1   _s     s     s     s  $   s     s     	t      t     7t     St  6   it      t  7   t      t     u  .   1u     `u  M   |u     u     u      v      v  $   7v     \v  )   tv  ;   v     v  &   v  O   w     ew  6   yw     w  /   w  0   w     #x  3   =x     qx  *   x     x     x  
   x     x  9   y     Qy  S   jy  $   y     y  5   y     !z  '   :z  (   bz  2   z  3   z     z     {     &{     :{     O{  U   k{     {  $   {     {     |     $|  V   9|     |  U   |  L   |  0   ?}  >   p}  
   }  7   }  '   }  *   ~     E~  E   U~  0   ~  3   ~  A      3   B  X   v       *   Q     |       D     2   ހ  H     4   Z  0     d         %  B   F       ^     I     2   R            R   g  !        ܄  *     "   &  .   I     x     Y             ,   (  9   U  -     )     L     I   4  ?   ~       .   ܈       0     .   ܉  :     R   F       =     D        -  9   A     {  9     F   ˋ  j     e   }  &     3   
  /   >  %   n  '             э  
   ׍       /     5   -  :   c  ,        ˎ  4   ݎ  d     7   w  I               ,   7  :   d            C   ͐  !     *   3  :   ^               ϑ       &   	     0  4   L  ^     5     Y     1   p  8     H   ۓ  '   $  -   L     z  K   h  	             ӕ  ,          0   3  5   d  4     0   ϖ  2      6   3  2   j  B     W       8  9   !  5   [  *     )     E     ,   ,  Z   Y  '         ܛ  )     .   '     V     &  P     &   >  7   e  2     `   О  L   1     ~  !             ԟ           	     *     D     _     y       F                  2     N  #   h       !     -   ̡  ]     $   X  +   }            (   Ϣ  (     "   !     D  9   `             )   ң  p     )   m  -        Ť  g     =  M         j     _  P  %  4  v  "       έ  4   P  ;     s     ?   5     u  5     
   ¯  
   Я     ۯ  &   ݯ  >     /   C  1   s  C               )        %     @  '   Y       "             ͱ  I   ӱ       ,   .     [     s               ò     ݲ  '          %   >  1   d  !     2     ,             ,  7   H  %     H     
                  "     @     [  &   x  	     '     4   ѵ  B         I  H   j                           $           0  r  /  #  p            w         r   {       i   c           N   _  @       ;    c   `     l  4  	  ?                     z         )  6  h                 f  V   %            R                                                        L   @     9            %  K            ^  |         :      o      V        ^       v      >                   U  j          u      i         
  ;              8         q      
   H                         P                        Y   ,                =      _      U                     5       T  C      '            6                     ]   B     /             -            [      \  .   
      9   a           !         F     -   w   e     2              y         }       B          m                ~      [  I     {  Q          W      3   "     J      z             8       O             P   (            D                                 d               X          7      O  k   l   S       ?  u  s  f             `  E  7                             m   +         L               0   p       d       v      $   Z     a   k                +             4   !                   g      h                  I  '       M          	   >      ,   Q      T               &  b  3  Y                        F  5  y   J      s          R          j             o      <   <              1       &   A         t       S               G   E   C      :          2     
           )     *     #   G      W          D  e  |  N       x     "             *          M  .     ]     (  A         n          K                 g         n      Z   =                           t   X                                         b   q     H             \       1  x             Candidate:    Installed:    Missing:    Mixed virtual packages:    Normal packages:    Pure virtual packages:    Single virtual packages:    Version table:  Done  [Installed]  [Not candidate version]  [Working]  failed.  or %i package can be upgraded. Run 'apt list --upgradable' to see it.
 %i packages can be upgraded. Run 'apt list --upgradable' to see them.
 %lu downgraded,  %lu not fully installed or removed.
 %lu package was automatically installed and is no longer required.
 %lu packages were automatically installed and are no longer required.
 %lu reinstalled,  %lu to remove and %lu not upgraded.
 %lu upgraded, %lu newly installed,  %s (due to %s) %s -> %s with priority %d
 %s can not be marked as it is not installed.
 %s does not take any arguments %s has no build depends.
 %s is already the newest version (%s).
 %s set on hold.
 %s set to automatically installed.
 %s set to manually installed.
 %s was already not on hold.
 %s was already set on hold.
 %s was already set to automatically installed.
 %s was already set to manually installed.
 (none) --fix-missing and media swapping is not currently supported --force-yes is deprecated, use one of the options starting with --allow instead. A proxy server was specified but no login script, Acquire::ftp::ProxyLogin is empty. A response overflowed the buffer. Abort. Aborting install. After this operation, %sB disk space will be freed.
 After this operation, %sB of additional disk space will be used.
 All packages are up to date. Arguments not in pairs At least one invalid signature was encountered. Authentication warning overridden.
 Automatically disabled %s due to incorrect response from server/proxy. (man 5 apt.conf) Bad default setting! Bad header data Bad header line Broken packages Build command '%s' failed.
 Cache is out of sync, can't x-ref a package file Can not find a package '%s' with release '%s' Can not find a package '%s' with version '%s' Can not find a package for architecture '%s' Can not find version '%s' of package '%s' Canceled hold on %s.
 Cannot initiate the connection to %s:%s (%s). Check if the 'dpkg-dev' package is installed.
 Clearsigned file isn't valid, got '%s' (does the network require authentication?) Configuration options and syntax is detailed in apt.conf(5).
Information about how to configure sources can be found in sources.list(5).
Package and version choices can be expressed via apt_preferences(5).
Security details are available in apt-secure(8).
 Configure build-dependencies for source packages Connected to %s (%s) Connecting to %s Connecting to %s (%s) Connection closed prematurely Connection failed Connection timed out Connection timeout Correcting dependencies... Could not bind a socket Could not connect data socket, connection timed out Could not connect passive socket. Could not connect to %s:%s (%s), connection timed out Could not connect to %s:%s (%s). Could not create a socket Could not create a socket for %s (f=%u t=%u p=%u) Could not determine the socket's name Could not execute 'apt-key' to verify signature (is gnupg installed?) Could not listen on the socket Could not resolve '%s' Couldn't determine free space in %s Couldn't find package %s Data socket connect timed out Data socket timed out Data transfer failed, server said '%s' Direct connection to %s domains is blocked by default. Disk not found. Distribution upgrade, see apt-get(8) Do you want to accept these changes and continue updating from this repository? Do you want to continue? Do you want to erase any previously downloaded .deb files? Download Failed Download and display the changelog for the given package Download complete and in download only mode Download source archives Download the binary package into the current directory EPRT failed, server said: %s Empty files can't be valid archives Erase downloaded archive files Erase old downloaded archive files Err:%lu %s Error reading from server Error reading from server. Remote end closed connection Error writing to file Essential packages were removed and -y was used without --allow-remove-essential. Executing dpkg failed. Are you root? Failed Failed to create IPC pipe to subprocess Failed to fetch %s  %s Failed to fetch some archives. Failed to mount '%s' to '%s' Failed to parse %s. Edit again?  Failed to process build dependencies Failed to set modification time Failed to stat Failed to stat %s Fetch source %s
 Fetched %sB in %s (%sB/s)
 File has unexpected size (%llu != %llu). Mirror sync in progress? File not found Follow dselect selections Full Text Search Get:%lu %s GetSrvRec failed for %s Held packages were changed and -y was used without --allow-change-held-packages. Hit:%lu %s Hmm, seems like the AutoRemover destroyed something which really
shouldn't happen. Please file a bug report against apt. How odd... The sizes didn't match, email apt@packages.debian.org However the following packages replace it: If you meant to use Tor remember to use %s instead of %s. Ign:%lu %s Install new packages (pkg is libc6 not libc6.deb) Install these packages without verification? Internal Error, AutoRemover broke stuff Internal error Internal error, InstallPackages was called with broken packages! Internal error, Ordering didn't finish Internal error, problem resolver broke stuff Internal error: Good signature, but could not determine key fingerprint?! Invalid URI, local URIS must not start with // Invalid operator '%c' at offset %d, did you mean '%c%c' or '%c='? - in: %s Key is stored in legacy trusted.gpg keyring (%s), see the DEPRECATION section in apt-key(8) for details. List the names of all packages in the system Listing Logging in Login script command '%s' failed, server said: %s Mark a package as held back Mark all dependencies of meta packages as automatically installed. Mark the given packages as automatically installed Mark the given packages as manually installed Media change: please insert the disc labeled
 '%s'
in the drive '%s' and press [Enter]
 Merging available information More information about this can be found online in the Release notes at: %s Most used commands: Must specify at least one package to check builddeps for Must specify at least one package to fetch source for Must specify at least one pair url/filename N NOTE: This is only a simulation!
      %s needs root privileges for real execution.
      Keep also in mind that locking is deactivated,
      so don't depend on the relevance to the real current situation!
 NOTICE: '%s' packaging is maintained in the '%s' version control system at:
%s
 Need one URL as argument Need to get %sB of archives.
 Need to get %sB of source archives.
 Need to get %sB/%sB of archives.
 Need to get %sB/%sB of source archives.
 No CD-ROM could be auto-detected or found using the default mount point.
You may try the --cdrom option to set the CD-ROM mount point.
See 'man apt-cdrom' for more information about the CD-ROM auto-detection and mount point. No architecture information available for %s. See apt.conf(5) APT::Architectures for setup No changes necessary No packages found Note, selecting '%s' for glob '%s'
 Note, selecting '%s' for regex '%s'
 Note, selecting '%s' for task '%s'
 Note, selecting '%s' instead of '%s'
 Note, using directory '%s' to get the build dependencies
 Note, using file '%s' to get the build dependencies
 Note: This is done automatically and on purpose by dpkg. PASS failed, server said: %s Package %s is a virtual package provided by:
 Package %s is not available, but is referred to by another package.
This may mean that the package is missing, has been obsoleted, or
is only available from another source
 Package %s version %s has an unmet dep:
 Package '%s' has no installation candidate Package '%s' is not installed, so not removed
 Package '%s' is not installed, so not removed. Did you mean '%s'?
 Package files: Packages need to be removed but remove is disabled. Packages were downgraded and -y was used without --allow-downgrades. Perform an upgrade Picking '%s' as source package instead of '%s'
 Pinned packages: Please insert a Disc in the drive and press [Enter] Please provide a name for this Disc, such as 'Debian 5.0.3 Disk 1' Please use apt-cdrom to make this CD-ROM recognized by APT. apt-get update cannot be used to add new CD-ROMs Please use:
%s
to retrieve the latest (possibly unreleased) updates to the package.
 Press [Enter] to continue. Print the list of automatically installed packages Print the list of manually installed packages Print the list of packages on hold Problem hashing file Protocol corruption Query Read error Recommended packages: Regex compilation error - %s Reinstall packages (pkg is libc6 not libc6.deb) Reinstallation of %s is not possible, it cannot be downloaded.
 Remove automatically all unused packages Remove packages Remove packages and config files Removing essential system-critical packages is not permitted. This might break the system. Repeat this process for the rest of the CDs in your set. Repository '%s' changed its '%s' value from '%s' to '%s' Retrieve new lists of packages Satisfy dependency strings Search the package list for a regex pattern See %s for more information about the available commands. Select failed Selected %s for installation.
 Selected %s for purge.
 Selected %s for removal.
 Selected version '%s' (%s) for '%s'
 Selected version '%s' (%s) for '%s' because of '%s'
 Server closed the connection Show a readable record for the package Show policy settings Show raw dependency information for a package Show reverse dependency information for a package Show source records Signature by key %s uses weak digest algorithm (%s) Signed file isn't valid, got '%s' (does the network require authentication?) Skipping %s, it is already installed and upgrade is not set.
 Skipping %s, it is not installed and only upgrades are requested.
 Skipping already downloaded file '%s'
 Skipping unpack of already unpacked source in %s
 Some errors occurred while unpacking. Packages that were installed Some files failed to download Some packages could not be authenticated Some packages could not be installed. This may mean that you have
requested an impossible situation or if you are using the unstable
distribution that some required packages have not yet been created
or been moved out of Incoming. Something wicked happened resolving '%s:%s' (%i - %s) Sorting Suggested packages: Supported modules: System error resolving '%s:%s' TYPE failed, server said: %s Temporary failure resolving '%s' The HTTP server sent an invalid Content-Length header The HTTP server sent an invalid Content-Range header The HTTP server sent an invalid reply header The following NEW packages will be installed: The following additional packages will be installed: The following held packages will be changed: The following information may help to resolve the situation: The following package disappeared from your system as
all files have been overwritten by other packages: The following packages disappeared from your system as
all files have been overwritten by other packages: The following package was automatically installed and is no longer required: The following packages were automatically installed and are no longer required: The following packages have been kept back: The following packages have unmet dependencies: The following packages will be DOWNGRADED: The following packages will be REMOVED: The following packages will be marked as automatically installed: The following packages will be upgraded: The following signatures couldn't be verified because the public key is not available:
 The following signatures were invalid:
 The list of sources could not be read. The server refused the connection and said: %s The update command takes no arguments There is %i additional record. Please use the '-a' switch to see it There are %i additional records. Please use the '-a' switch to see them. There is %i additional version. Please use the '-a' switch to see it There are %i additional versions. Please use the '-a' switch to see them. There were unauthenticated packages and -y was used without --allow-unauthenticated This APT has Super Cow Powers. This APT helper has Super Meep Powers. This HTTP server has broken range support This command is deprecated. Please use 'apt-mark auto' and 'apt-mark manual' instead. This command is deprecated. Please use 'apt-mark showauto' instead. Total Desc/File relations:  Total Provides mappings:  Total dependencies:  Total distinct descriptions:  Total distinct versions:  Total globbed strings:  Total package names:  Total package structures:  Total slack space:  Total space accounted for:  Total ver/file relations:  Trivial Only specified but this is not a trivial operation. USER failed, server said: %s Unable to accept connection Unable to connect to %s:%s: Unable to correct dependencies Unable to correct missing packages. Unable to determine the local name Unable to determine the peer name Unable to fetch file, server said '%s' Unable to fetch some archives, maybe run apt-get update or try with --fix-missing? Unable to find a source package for %s Unable to get build-dependency information for %s Unable to invoke  Unable to locate package %s Unable to lock the download directory Unable to minimize the upgrade set Unable to read the cdrom database %s Unable to send PORT command Unable to unmount the CD-ROM in %s, it may still be in use. Unknown address family %u (AF_*) Unknown date format Unknown error executing apt-key Unmet dependencies. Try 'apt --fix-broken install' with no packages (or specify a solution). Unpack command '%s' failed.
 Unset a package set as held back Unsupported file %s given on commandline Usage of %s should be preferred over embedding login information directly in the %s entry for '%s' Usage: apt [options] command

apt is a commandline package manager and provides commands for
searching and managing as well as querying information about packages.
It provides the same functionality as the specialized APT tools,
like apt-get and apt-cache, but enables options more suitable for
interactive use by default.
 Usage: apt-cache [options] command
       apt-cache [options] show pkg1 [pkg2 ...]

apt-cache queries and displays available information about installed
and installable packages. It works exclusively on the data acquired
into the local cache via the 'update' command of e.g. apt-get. The
displayed information may therefore be outdated if the last update was
too long ago, but in exchange apt-cache works independently of the
availability of the configured sources (e.g. offline).
 Usage: apt-cdrom [options] command

apt-cdrom is used to add CDROM's, USB flashdrives and other removable
media types as package sources to APT. The mount point and device
information is taken from apt.conf(5), udev(7) and fstab(5).
 Usage: apt-config [options] command

apt-config is an interface to the configuration settings used by
all APT tools, mainly intended for debugging and shell scripting.
 Usage: apt-get [options] command
       apt-get [options] install|remove pkg1 [pkg2 ...]
       apt-get [options] source pkg1 [pkg2 ...]

apt-get is a command line interface for retrieval of packages
and information about them from authenticated sources and
for installation, upgrade and removal of packages together
with their dependencies.
 Usage: apt-helper [options] command
       apt-helper [options] cat-file file ...
       apt-helper [options] download-file uri target-path

apt-helper bundles a variety of commands for shell scripts to use
e.g. the same proxy configuration or acquire system as APT would.
 Usage: apt-mark [options] {auto|manual} pkg1 [pkg2 ...]

apt-mark is a simple command line interface for marking packages
as manually or automatically installed. It can also be used to
manipulate the dpkg(1) selection states of packages, and to list
all packages with or without a certain marking.
 Use '%s' to remove it. Use '%s' to remove them. Verify that there are no broken dependencies Virtual packages like '%s' can't be removed
 WARNING: The following essential packages will be removed.
This should NOT be done unless you know exactly what you are doing! WARNING: The following packages cannot be authenticated! Waiting for headers We are not supposed to delete stuff, can't start AutoRemover Write error Wrong CD-ROM Y You don't have enough free space in %s. You might want to run 'apt --fix-broken install' to correct these. You must give at least one search pattern You should explicitly select one to install. Your '%s' file changed, please run 'apt-get update'.
 [IP: %s %s] [Y/n] [installed,auto-removable] [installed,automatic] [installed,local] [installed,upgradable to: %s] [installed] [residual-config] [upgradable from: %s] [y/N] above this message are important. Please fix them and run [I]nstall again analyse a pattern automatically remove all unused packages but %s is installed but %s is to be installed but it is a virtual package but it is not going to be installed but it is not installable but it is not installed concatenate files, with automatic decompression detect proxy using apt.conf download the given uri to the target-path drop privileges before running given command edit the source information file get configuration values via shell evaluation getaddrinfo was unable to get a listening socket install packages list packages based on package names lookup a SRV record (e.g. _http._tcp.ftp.debian.org) not a real package (virtual) or errors caused by missing dependencies. This is OK, only the errors phased reinstall packages remove packages satisfy dependency strings search in package descriptions show package details show the active configuration setting unknown update list of available packages upgrade the system by installing/upgrading packages upgrade the system by removing/installing/upgrading packages wait for system to be online will be configured. This may result in duplicate errors Project-Id-Version: apt 2.5.6
Report-Msgid-Bugs-To: APT Development Team <deity@lists.debian.org>
PO-Revision-Date: 2023-02-10 12:58+0100
Last-Translator: Miroslav Kure <kurem@debian.cz>
Language-Team: Czech <debian-l10n-czech@lists.debian.org>
Language: cs
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=3; plural=n==1 ? 0 : n>=2 && n<=4 ? 1 : 2;
   Kandidát:    Instalovaná verze:    Chybějících:    Smíšených virtuálních balíků:    Normálních balíků:    Čistě virtuálních balíků:    Jednoduchých virtuálních balíků:    Tabulka verzí:  Hotovo  [Nainstalovaný]  [Není kandidátská verze]  [Pracuji]  selhalo.  nebo %i balík může být aktualizován. Zobrazíte jej „apt list --upgradable“.
 %i balíky mohou být aktualizovány. Zobrazíte je „apt list --upgradable“.
 %i balíků může být aktualizováno. Zobrazíte je „apt list --upgradable“.
 %lu degradováno,  %lu instalováno nebo odstraněno pouze částečně.
 %lu balík byl nainstalován automaticky a již není potřeba.
 %lu balíky byly nainstalovány automaticky a již nejsou potřeba.
 %lu balíků bylo nainstalováno automaticky a již nejsou potřeba.
 %lu přeinstalováno,  %lu k odstranění a %lu neaktualizováno.
 %lu aktualizováno, %lu nově instalováno,  %s (kvůli %s) %s -> %s s prioritou %d
 %s nemůže být označen, protože není nainstalovaný.
 %s neakceptuje žádné argumenty %s nemá žádné závislosti pro sestavení.
 %s je již nejnovější verze (%s).
 %s bude podržen v aktuální verzi.
 %s nastaven jako instalovaný automaticky.
 %s nastaven jako instalovaný ručně.
 %s již nebyl držen v aktuální verzi.
 %s již byl podržen v aktuální verzi.
 %s již byl nastaven jako instalovaný automaticky.
 %s již byl nastaven jako instalovaný ručně.
 (žádná) --fix-missing a výměna média nejsou momentálně podporovány --force-yes je zastaralé, použijte některou z voleb začínajících --allow. Byl zadán proxy server, ale ne přihlašovací skript. Acquire::ftp::ProxyLogin je prázdný. Odpověď přeplnila buffer. Přerušeno. Instalace se přerušuje. Po této operaci bude na disku uvolněno %sB.
 Po této operaci bude na disku použito dalších %sB.
 Všechny balíky jsou aktuální. Argumenty nejsou v párech Byl zaznamenán nejméně jeden neplatný podpis.  Autentizační varování potlačeno.
 Automaticky zakázáno %s kvůli chybné odpovědi od serveru/proxy. (man 5 apt.conf) Chybné standardní nastavení! Špatné datové záhlaví Chybná hlavička Poškozené balíky Příkaz pro sestavení „%s“ selhal.
 Cache není synchronizovaná, nelze se odkázat na soubor balíku Nelze najít balík „%s“ z vydání „%s“ Nelze najít balík „%s“ s verzí „%s“ Nelze najít balík pro architekturu „%s“ Nelze najít verzi „%s“ balíku „%s“ Podržení balíku %s v aktuální verzi bylo zrušeno.
 Nelze navázat spojení na %s:%s (%s). Zkontrolujte, zda je nainstalován balík „dpkg-dev“.
 Podepsaný soubor není platný, obdrženo „%s“ (vyžaduje přístup na síť ověření?) Konfigurační volby a syntaxe jsou popsány v apt.conf(5).
Informace o nastavení zdrojů se nachází v sources.list(5).
Výběr balíků a verzí je možno vyjádřit pomocí apt_preferences(5).
Podrobnosti o zabezpečení jsou dostupné v apt-secure(8).
 Pro zdrojové balíky nastaví build-dependencies Připojeno k %s (%s) Připojování k %s Připojování k %s (%s) Spojení bylo předčasně ukončeno Spojení selhalo Čas spojení vypršel Čas spojení vypršel Opravují se závislosti… Nelze navázat socket Nelze připojit datový socket, čas spojení vypršel Nelze připojit pasivní socket. Nelze se připojit k %s:%s (%s), čas spojení vypršel Nelze se připojit k %s:%s (%s). Nelze vytvořit socket Nelze vytvořit socket pro %s (f=%u t=%u p=%u) Nelze určit jméno socketu Nelze spustit „apt-key“ pro ověření podpisu (je gnupg nainstalováno?) Nelze naslouchat na socketu Nelze přeložit „%s“ Nelze určit volné místo v %s Nelze najít balík %s Spojení datového socketu vypršelo Datový socket vypršel Přenos dat selhal, server řekl „%s“ Přímé spojení k doménám %s je implicitně blokováno. Disk nebyl nalezen. Aktualizace distribuce, viz apt-get(8) Chcete přijmout tyto změny a pokračovat v používání tohoto repositáře? Chcete pokračovat? Chcete smazat všechny dříve stažené .deb soubory? Stažení selhalo Stáhne a zobrazí seznam změn daného balíku Stahování dokončeno v režimu pouze stáhnout Stáhne zdrojové archivy Stáhne binární balík to aktuálního adresáře EPRT selhal, server řekl: %s Prázdné soubory nejsou platnými archivy Smaže stažené archivy Smaže staré stažené archivy Err:%lu %s Chyba čtení ze serveru Chyba čtení ze serveru. Druhá strana zavřela spojení Chyba zápisu do souboru Nezbytné balíky byly odstraněny a -y bylo použito bez --allow-remove-essential. Spuštění dpkg selhalo. Jste root? Selhalo Selhalo vytvoření meziprocesové roury k podprocesu Selhalo stažení %s  %s Stažení některých archivů selhalo. Selhalo připojení „%s“ na „%s“ Nepodařilo se zpracovat %s. Zkusit znovu upravit? Chyba při zpracování závislostí pro sestavení Nelze nastavit čas modifikace Selhalo vyhodnocení Nelze vyhodnotit %s Stažení zdroje %s
 Staženo %sB za %s (%sB/s)
 Soubor má neočekávanou velikost (%llu != %llu). Neprobíhá synchronizace zrcadla? Soubor nebyl nalezen Řídí se podle výběru v dselectu Fulltextové hledání Stahuje se:%lu %s GetSrvRec %s selhalo Podržené balíky byly změněny a -y bylo použito bez --allow-change-held-packages. Mám:%lu %s Hmm, zdá se, že AutoRemover zničil něco, co neměl.
Nahlaste prosím chybu v apt. Jak podivné… velikosti nesouhlasí, ohlaste to na apt@packages.debian.org Nicméně následující balíky jej nahrazují: Jestliže jste chtěli použít Tor, použijte %s namísto %s. Ign:%lu %s Instaluje nové balíky (balík je libc6, ne libc6.deb) Instalovat tyto balíky bez ověření? Vnitřní chyba, AutoRemover pokazil věci Vnitřní chyba Vnitřní chyba, InstallPackages byl zavolán s porušenými balíky! Vnitřní chyba, třídění nedoběhlo do konce Vnitřní chyba, řešitel problémů pokazil věci Vnitřní chyba: Dobrý podpis, ale nelze zjistit otisk klíče?! Neplatné URI, lokální URI nesmí začínat na // Neplatný operátor „%c“ na pozici %d, mysleli jste „%c%c“ nebo „%c=“? V: %s Klíč je uložen v zastaralé klíčence trusted.gpg (%s), podrobnosti viz část DEPRECATION v manuálové stránce apt-key(8). Vypíše jména všech balíků v systému Vypisuje se Přihlašování Příkaz „%s“ přihlašovacího skriptu selhal, server řekl: %s Označí balík jako podržený v aktuální verzi Označí všechny závislosti metabalíků jako instalované automaticky Označí dané balíky jako instalované automaticky Označí dané balíky jako instalované ručně Výměna média: vložte prosím disk nazvaný
 „%s“
do mechaniky „%s“ a stiskněte [Enter]
 Slučují se dostupné informace Více informací naleznete online v Poznámkách k vydání na: %s Nejpoužívanější příkazy: Musíte zadat alespoň jeden balík, pro který budou kontrolovány závislosti pro sestavení Musíte zadat aspoň jeden balík, pro který se stáhnou zdrojové texty Musíte zadat aspoň jeden pár url/jméno souboru N INFO: Toto je pouze simulace!
      %s vyžaduje pro skutečný běh rootovská oprávnění.
      Mějte také na paměti, že je vypnuto zamykání, tudíž
      tyto výsledky nemusí mít s realitou nic společného!
 INFO: Balík „%s“ je spravován v systému pro správu verzí „%s“ na:
%s
 Jako argument vyžaduje jedno URL Nutno stáhnout %sB archivů.
 Nutno stáhnout %sB zdrojových archivů.
 Nutno stáhnout %sB/%sB archivů.
 Nutno stáhnout %sB/%sB zdrojových archivů.
 Na výchozím přípojném bodu nebylo rozpoznáno/nalezeno žádné CD-ROM.
Můžete zkusit zadat přípojný bod CD-ROM volbou --cdrom.
Více o rozpoznávání CD-ROM a přípojných bodech naleznete v „man apt-cdrom“. O architektuře %s nejsou známy žádné informace. Pro nastavení si přečtěte část APT::Architectures v manuálové stránce apt.conf(5) Žádné změny nejsou nutné Nebyly nalezeny žádné balíky Pozn: vybírám „%s“ pro masku „%s“
 Pozn: vybírám „%s“ pro regulární výraz „%s“
 Pozn: vybírám „%s“ pro úlohu „%s“
 Pozn: Vybírám „%s“ místo „%s“
 Pro získání závislostí pro sestavení se používá adresář „%s“
 Pro získání závislostí pro sestavení se používá soubor „%s“
 Poznámka: Toto má svůj důvod a děje se automaticky v dpkg. PASS selhal, server řekl: %s Balík %s je virtuální balík poskytovaný:
 Balík %s není dostupný, ale jiný balík se na něj odkazuje.
To může znamenat že balík chybí, byl zastarán, nebo je dostupný
pouze z jiného zdroje
 Balík %s verze %s má nesplněné závislosti:
 Balík „%s“ nemá kandidáta pro instalaci Balík „%s“ není nainstalován, nelze tedy odstranit
 Balík „%s“ není nainstalován, nelze tedy odstranit. Mysleli jste „%s“?
 Soubory balíku: Balík je potřeba odstranit ale funkce Odstranit je vypnuta. Balíky byly degradovány a -y bylo použito bez --allow-downgrades. Provede aktualizaci Vybírám „%s“ jako zdrojový balík místo „%s“
 Vypíchnuté balíky: Vložte prosím médium do mechaniky a stiskněte [Enter] Zadejte prosím název tohoto média, např. „Debian 5.0.3 Disk 1“ Pro přidání CD do APTu použijte apt-cdrom. apt-get update nelze využít pro přidávání nových CD. Pro stažení nejnovějších (možná dosud nevydaných) aktualizací balíku prosím použijte:
%s
 Pro pokračování stiskněte [Enter]. Vypíše seznam balíků instalovaných automaticky Vypíše seznam balíků instalovaných ručně Vypíše seznam podržených balíků Problém s kontrolním součtem souboru Porušení protokolu Dotaz Chyba čtení Doporučované balíky: Chyba při kompilaci regulárního výrazu - %s Přeinstaluje balíky (balík je libc6, ne libc6.deb) Přeinstalace %s není možná, protože nelze stáhnout.
 Automaticky odstraní nepoužívané balíky Odstraní balíky Odstraní balíky včetně konfiguračních souborů Odstranění nezbytných systémově-kritických balíků není povoleno. Může to rozbít systém. Tento proces opakujte pro všechna zbývající média. Repositář „%s“ změnil svou hodnotu „%s“ z „%s“ na „%s“ Získá seznam nových balíků Splní řetězec závislostí V seznamu balíků hledá regulární výraz Více informací o dostupných příkazech naleznete v %s. Výběr selhal %s byl vybrán pro instalaci.
 %s byl vybrán pro odstranění včetně konfguračních souborů.
 %s byl vybrán pro odstranění.
 Vybraná verze „%s“ (%s) pro „%s“
 Vybraná verze „%s“ (%s) pro „%s“ kvůli „%s“
 Server uzavřel spojení Zobrazí informace o balíku Zobrazí nastavenou politiku Zobrazí závislosti balíku Zobrazí reverzní závislosti balíku Zobrazí zdrojové záznamy Podpis klíčem %s používá slabý algoritmus (%s) Podepsaný soubor není platný, obdrženo „%s“ (vyžaduje přístup na síť ověření?) %s bude přeskočen, protože je již nainstalován.
 %s bude přeskočen, protože není nainstalován a vyžadovány jsou pouze aktualizace.
 Přeskakuje se dříve stažený soubor „%s“
 Přeskakuje se rozbalení již rozbaleného zdroje v %s
 Během rozbalování se vyskytly chyby. Balíky, které se nainstalovaly Některé soubory nemohly být staženy Některé balíky nemohly být autentizovány Některé balíky nemohly být instalovány. To může znamenat, že požadujete
nemožnou situaci, nebo, pokud používáte nestabilní distribuci, že
vyžadované balíky ještě nebyly vytvořeny nebo přesunuty z Příchozí fronty. Něco hodně ošklivého se přihodilo při překladu „%s:%s“ (%i - %s) Řadí se Navrhované balíky: Podporované moduly: Systémová chyba při překladu „%s:%s“ TYPE selhal, server řekl: %s Dočasné selhání při zjišťování „%s“ Http server poslal neplatnou hlavičku Content-Length Http server poslal neplatnou hlavičku Content-Range Http server poslal neplatnou hlavičku odpovědi Následující NOVÉ balíky budou nainstalovány: Následující dodatečné balíky budou instalovány: Následující podržené balíky budou změněny: Následující informace vám mohou pomoci vyřešit tuto situaci: Následující balík z tohoto systému zmizel, protože
všechny jeho soubory byly přepsány jinými balíky: Následující balíky z tohoto systému zmizely, protože
všechny jejich soubory byly přepsány jinými balíky: Následující balíky z tohoto systému zmizely, protože
všechny jejich soubory byly přepsány jinými balíky: Následující balík byl nainstalován automaticky a již není potřeba: Následující balíky byly nainstalovány automaticky a již nejsou potřeba: Následující balíky byly nainstalovány automaticky a již nejsou potřeba: Následující balíky jsou podrženy v aktuální verzi: Následující balíky mají nesplněné závislosti: Následující balíky budou DEGRADOVÁNY: Následující balíky budou ODSTRANĚNY: Následující balíky budou označeny jako instalované automaticky: Následující balíky budou aktualizovány: Následující podpisy nemohly být ověřeny, protože není dostupný veřejný klíč:
 Následující podpisy jsou neplatné:
 Nelze přečíst seznam zdrojů. Server zamítl naše spojení a řekl: %s Příkaz update neakceptuje žádné argumenty Existuje %i další záznam. Zobrazíte jej přepínačem „-a“. Existují %i další záznamy. Zobrazíte je přepínačem „-a“. Existuje %i dalších záznamů. Zobrazíte je přepínačem „-a“. Existuje %i další verze. Zobrazíte ji přepínačem „-a“. Existují %i další verze. Zobrazíte je přepínačem „-a“. Existuje %i dalších verzí. Zobrazíte je přepínačem „-a“. Vyskytly se neověřené balíky a -y bylo použito bez --allow-unauthenticated. Tato APT má schopnosti svaté krávy. Tento APT pomocník má schopnosti svatého čehokoliv. Tento HTTP server má porouchanou podporu rozsahů Tento příkaz je zastaralý, použijte místo něj „apt-mark auto“ a „apt-mark manual“. Tento příkaz je zastaralý, použijte místo něj „apt-mark showauto“. Celkem vztahů popis/soubor:  Celkem poskytnutých mapování:  Celkem závislostí:  Celkem různých popisů:  Celkem různých verzí:  Celkem globovaných řetězců:  Celkem názvů balíků:  Celkem struktur balíků:  Celkem jalového místa:  Celkem přiřazeného místa:  Celkem vztahů ver/soubor:  Udáno „pouze triviální“, ovšem toto není triviální operace. USER selhal, server řekl: %s Nelze přijmout spojení Nelze se připojit k %s:%s: Nelze opravit závislosti Nelze opravit chybějící balíky. Nelze určit lokální jméno Nelze určit jméno druhé strany Nelze stáhnout soubor, server řekl „%s“ Nelze stáhnout některé archivy. Možná spusťte apt-get update nebo zkuste --fix-missing? Nelze najít zdrojový balík pro %s Nelze získat závislosti pro sestavení %s Nelze vyvolat  Nelze najít balík %s Nelze zamknout adresář pro stahování Nelze minimalizovat sadu pro aktualizaci Nelze číst databázi na cdrom %s Nelze odeslat příkaz PORT Nelze odpojit CD-ROM v %s - možná se stále používá. Neznámá rodina adres %u (AF_*) Neznámý formát data Neznámá chyba při spouštění apt-key Nesplněné závislosti. Zkuste spustit „apt --fix-broken install“ bez balíků (nebo navrhněte řešení). Příkaz pro rozbalení „%s“ selhal.
 Zruší podržení balíku v aktuální verzi Zadán nepodporovaný soubor %s Použití %s je preferováno před zadáním přihlašovacích údajů přímo v %s v záznamu „%s“ Použití: apt [volby] příkaz

apt je řádkový správce balíků a poskytuje příkazy pro jejich hledání,
správu a také pro zjišťování informací o balících.
Poskytuje stejnou funkcionalitu jako specializované APT nástroje typu
apt-get a apt-cache, ale je lépe nastaven pro interaktivní použití.
 Použití: apt-cache [volby] příkaz
         apt-cache [volby] show balík1 [balík2 …]

apt-cache dotazuje a zobrazuje dostupné informace o instalovaných
a instalovatelných balících. Pracuje pouze s lokálními daty získanými
příkazem „update“ např. programu apt-get. Zobrazené informace tedy
mohou být zastaralé (pokud poslední aktualizace proběhla dávněji),
ale zato apt-cache pracuje nezávisle na dostupnosti nastavených
zdrojů (např. offline).
 Použití: apt-cdrom [volby] příkaz

apt-cdrom se používá pro přidání CD, USB klíčenek a jiných
vyjímatelných médií jako zdrojů pro APT. Přípojný bod a informace
o zařízení se získává z apt.conf(5), udev(7) a fstab(5).
 Použití: apt-config [volby] příkaz

apt-config je jednoduchý nástroj pro nastavení voleb používaných všemi
nástroji rodiny APT. Převážně je zamýšlen pro ladění a skriptování.
 Použití: apt-get [volby] příkaz
         apt-get [volby] install|remove balík1 [balík2 …]
         apt-get [volby] source balík1 [balík2 …]

apt-get je řádkové rozhraní pro stahování balíků a informací o nich
z ověřených zdrojů a pro instalaci, aktualizaci a odstranění balíků
včetně jejich závislostí.
 Použití: apt-helper [volby] příkaz
         apt-helper [volby] cat-file soubor
         apt-helper [volby] download-file uri cílová_cesta

apt-helper zaobaluje nejrůznější příkazy pro shellové skripty,
např. aby použily stejné nastavení proxy nebo způsob stahování,
jako by použila APT.
 Použití: apt-mark [volby] {auto|manual} balík1 [balík2 …]

apt-mark je jednoduché řádkové rozhraní pro označování balíků jako
instalovaných ručně nebo automaticky. Také umí manipulovat s dpkg(1)
stavem balíků a vypsat všechny balíky s/bez konkrétního označení.
 Pro jeho odstranění použijte „%s“. Pro jejich odstranění použijte „%s“. Pro jejich odstranění použijte „%s“. Ověří, zda se nevyskytují porušené závislosti Virtuální balíky jako „%s“ nemohou být odstraněny
 VAROVÁNÍ: Následující nezbytné balíky budou odstraněny.
Pokud přesně nevíte, co děláte, NEDĚLEJTE to! VAROVÁNÍ: Následující balíky nemohou být autentizovány! Čeká se na hlavičky Neměli bychom mazat věci, nelze spustit AutoRemover Chyba zápisu Chybné CD Y V %s nemáte dostatek volného místa. Pro opravení můžete spustit „apt --fix-broken install“. Musíte zadat alespoň jeden vyhledávací vzor Měli byste explicitně vybrat jeden k instalaci. Soubor „%s“ se změnil, spusťte prosím „apt-get update“.
 [IP: %s %s] [Y/n] [instalovaný,automaticky-odstranitelný] [instalovaný,automaticky] [instalovaný,lokální] [instalovaný,aktualizovatelný na: %s] [instalovaný] [zbytkové-konfigurační-coubory] [aktualizovatelný z: %s] [y/N] chyby nad touto hláškou. Opravte je a poté znovu spusťte [I]nstalovat analyzuje výraz automaticky odstraní nepoužívané balíky ale %s je nainstalován ale %s se bude instalovat ale je to virtuální balík ale nebude se instalovat ale nedá se nainstalovat ale není nainstalovaný spojí soubory, automaticky je rozbalí detekuje proxy pomocí apt.conf stáhne zadané uri do cílové cesty před spuštěním příkazu zahodí oprávnění upraví soubor se zdroji balíků získá nastavení přes shellové vyhodnocování getaddrinfo nezískal naslouchající socket nainstaluje balíky vypíše balíky podle jmen vyhledá SRV záznam (např. _http._tcp.ftp.debian.org) není skutečný balík (virtuální) o nesplněných závislostech. To je v pořádku, důležité jsou pouze fázována přeinstaluje balíky odstraní balíky splní řetězec závislostí hledá v popisech balíků zobrazí podrobnosti balíku zobrazí aktuálně platné nastavení neznámá aktualizuje seznam dostupných balíků aktualizuje systém instalací/aktualizací balíků aktualizuje systém instalací/aktualizací/odstraněním balíků počká, až bude systém online budou zkonfigurovány. To může způsobit duplicitní chybové hlášky                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             	      
  
   
  
   '
     5
     A
  
   G
     R
     [
     _
  $   p
     
  $   
  #   
     
     
       ;      T   \  !                                 &  0   B  -   s  0                            )     >     Q     l  3     5                1   )  %   [                           &     $   +     P  +   i                 "     
   
          2     H  '   O     w       $                            .     =  
   W  
   b  *   m  
     1          .     
     1     8   P  5          $     !     (   $     M     _  -   |  (                         
              6  ?   S            
               =     1   ?     q          v             -     ,     <   #  /   `  '     &     %          ;   $     `     }       #     "     !     &   !  R   H  &     1               %   "  "   H  $   k       ;              	  \        z  ,                    '     B     ,   Q     ~  I                     #         B      \   0   t   E           
   s"     "     "  
   "     "     "     "     "  (   "     
#  '    #  ,   H#     u#  &   #     #  =   #  [   #     M$     f$     o$     $     $     $  #   $  A   $  +   1%  ;   ]%     %     %     %     %     %     &     &     8&  4   M&  7   &     &     &  /   &     '     7'     R'     f'  #   ~'     '  0   '  '   '     (  4   0(     e(  -   (  (   (  ,   (     )      )     6)     U)  *   ])     )     )  %   )     )     )     *     *     ;*     O*  
   h*     v*  5   *     *  9   *     +  9   +     O+  B   ^+  G   +  =   +  !   ',  (   I,  &   r,  ,   ,     ,  -   ,  2   -  8   :-      s-     -     -     -  
   -     -     -  ;   .     D.     S.  
   s.     .     .  D   .  ?   /      A/     b/     O0  -   e0      0  ,   0  /   0  9   1  9   K1  #   1  &   1  3   1  '   2  6   ,2  -   c2     2     2  !   2     2     
3  ,   )3  h   V3  ,   3  8   3     %4     94  &   T4  !   {4  (   4     4  H   4  "   -5     P5  l   i5  #   5  $   5     6     36     D6  (   F6  I   o6  (   6     6  N   6     =7  $   X7     }7  #   7     7     7  &   7  C   8     x              _                 &         N       e   g          <      +   l       b      T   E   R   `   ]   z      I                   p           *   ;      a   9   t           7         W      F   )   H              5   |      V       k   w         ?          j   Q          f   '      y   n      =       3   ^         J          6   u       O   ,   >   c   K   
   i   {             B      C       L   A   ~   D   [   1   %                 m             -   }      .   \          
   Y   P                 S                	   v       !       4   /      "   q   U                         0           h          M   s                     X   :   #   o                 @          2   8                             (       $                        d   Z      r   G                   Candidate:    Installed:    Missing:   Done  [Working]  failed.  or %lu downgraded,  %lu not fully installed or removed.
 %lu reinstalled,  %lu to remove and %lu not upgraded.
 %lu upgraded, %lu newly installed,  %s (due to %s) %s has no build depends.
 (none) --fix-missing and media swapping is not currently supported A proxy server was specified but no login script, Acquire::ftp::ProxyLogin is empty. A response overflowed the buffer. Abort. Arguments not in pairs Bad default setting! Bad header line Broken packages Build command '%s' failed.
 Cache is out of sync, can't x-ref a package file Cannot initiate the connection to %s:%s (%s). Configure build-dependencies for source packages Connecting to %s Connecting to %s (%s) Connection closed prematurely Connection failed Connection timed out Connection timeout Correcting dependencies... Could not bind a socket Could not connect data socket, connection timed out Could not connect to %s:%s (%s), connection timed out Could not connect to %s:%s (%s). Could not create a socket Could not create a socket for %s (f=%u t=%u p=%u) Could not determine the socket's name Could not listen on the socket Could not resolve '%s' Couldn't find package %s Data socket connect timed out Data socket timed out Data transfer failed, server said '%s' Distribution upgrade, see apt-get(8) Do you want to continue? Download complete and in download only mode Download source archives EPRT failed, server said: %s Erase downloaded archive files Erase old downloaded archive files Err:%lu %s Error reading from server Error writing to file Failed Failed to create IPC pipe to subprocess Failed to fetch %s  %s Failed to fetch some archives. Failed to process build dependencies Failed to set modification time Failed to stat Failed to stat %s Fetched %sB in %s (%sB/s)
 File not found Follow dselect selections Get:%lu %s Hit:%lu %s However the following packages replace it: Ign:%lu %s Install new packages (pkg is libc6 not libc6.deb) Internal error Invalid URI, local URIS must not start with // Logging in Login script command '%s' failed, server said: %s Must specify at least one package to check builddeps for Must specify at least one package to fetch source for Need to get %sB of archives.
 Need to get %sB of source archives.
 Need to get %sB/%sB of archives.
 Need to get %sB/%sB of source archives.
 No packages found PASS failed, server said: %s Package %s is a virtual package provided by:
 Package %s version %s has an unmet dep:
 Perform an upgrade Problem hashing file Protocol corruption Query Read error Recommended packages: Regex compilation error - %s Reinstallation of %s is not possible, it cannot be downloaded.
 Remove packages Retrieve new lists of packages Select failed Server closed the connection Show source records Skipping %s, it is already installed and upgrade is not set.
 Skipping unpack of already unpacked source in %s
 Some files failed to download Some packages could not be installed. This may mean that you have
requested an impossible situation or if you are using the unstable
distribution that some required packages have not yet been created
or been moved out of Incoming. Suggested packages: TYPE failed, server said: %s Temporary failure resolving '%s' The following NEW packages will be installed: The following held packages will be changed: The following information may help to resolve the situation: The following packages have unmet dependencies: The following packages will be REMOVED: The list of sources could not be read. The update command takes no arguments This APT has Super Cow Powers. Trivial Only specified but this is not a trivial operation. USER failed, server said: %s Unable to accept connection Unable to correct dependencies Unable to correct missing packages. Unable to determine the local name Unable to determine the peer name Unable to fetch file, server said '%s' Unable to fetch some archives, maybe run apt-get update or try with --fix-missing? Unable to find a source package for %s Unable to get build-dependency information for %s Unable to invoke  Unable to locate package %s Unable to lock the download directory Unable to minimize the upgrade set Unable to read the cdrom database %s Unable to send PORT command Unable to unmount the CD-ROM in %s, it may still be in use. Unknown address family %u (AF_*) Unknown date format Unmet dependencies. Try 'apt --fix-broken install' with no packages (or specify a solution). Unpack command '%s' failed.
 Verify that there are no broken dependencies Waiting for headers Write error Y You don't have enough free space in %s. You might want to run 'apt --fix-broken install' to correct these. You should explicitly select one to install. [IP: %s %s] above this message are important. Please fix them and run [I]nstall again but %s is installed but %s is to be installed but it is a virtual package but it is not going to be installed but it is not installable but it is not installed getaddrinfo was unable to get a listening socket or errors caused by missing dependencies. This is OK, only the errors Project-Id-Version: apt 1.0.5
Report-Msgid-Bugs-To: APT Development Team <deity@lists.debian.org>
PO-Revision-Date: 2005-06-06 13:46+0100
Last-Translator: Dafydd Harries <daf@muse.19inch.net>
Language-Team: Welsh <cy@pengwyn.linux.org.uk>
Language: cy
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n==2) ? 1 : 0;
   Ymgeisydd:    Wedi Sefydlu:    Ar Goll:   Wedi Gorffen  [Gweithio]  wedi methu.  neu %lu wedi eu israddio,  %lu  heb eu sefydlu na tynnu'n gyflawn.
 %lu wedi ailsefydlu,  %lu i'w tynnu a %lu heb eu uwchraddio.
 %lu wedi uwchraddio, %lu newydd eu sefydlu,  %s (oherwydd %s) Nid oes dibyniaethau adeiladu gan %s.
 (dim) Ni chynhelir cyfnewid cyfrwng efo --fix-missing ar hyn o bryd Penodwyd gweinydd dirprwy ond dim sgript mengofnodi. (Mae Acquire::ftp::ProxyLogin yn wag.) Gorlifodd ateb y byffer. Erthylu. Nid yw ymresymiadau mewn parau Rhagosodiad gwael! Llinell pennawd gwael Pecynnau wedi torri Methodd y gorchymyn adeiladu '%s'.
 Nid yw'r storfa yn gydamserol, ni ellir croesgyfeirio ffeil pecym Ni ellir cychwyn y cysylltiad i %s:%s (%s). Cyflunio dibyniaethau adeiladu ar gyfer pecynnau ffynhonell Yn cysylltu i %s Yn cysylltu i %s (%s) Caewyd y cysylltiad yn gynnar Methodd y cysylltiad Goramserodd y cysylltiad Goramser cysylltu Yn cywiro dibyniaethau... Methwyd rhwymo soced Methwyd cysylltu soced data, goramserodd y cyslltiad Methwyd cysylltu i %s:%s (%s), goramserodd y cysylltiad Methwyd cysylltu i %s:%s (%s). Methwyd creu soced Methwyd creu soced ar gyfer %s (f=%u t=%u p=%u) Methwyd canfod enw'r soced Methwyd gwrando ar y soced Methwyd datrys '%s' Methwyd canfod pecyn %s Goramserodd cysylltiad y soced data Goramserodd soced data Methodd trosgludiad data; meddai'r gweinydd '%s' Uwchraddio dosraniad, gweler apt-get(8) Ydych chi eisiau mynd ymlaen? Lawrlwytho yn gyflawn ac yn y modd lawrlwytho'n unig Lawrlwytho archifau ffynhonell Methodd gorchymyn EPRT; meddai'r gweinydd: %s Dileu ffeiliau archif wedi eu lawrlwytho Dileu hen ffeiliau archif wedi eu lawrlwytho Gwall:%lu %s Gwall wrth ddarllen o'r gweinydd Gwall wrth ysgrifennu at ffeil Methwyd Methwyd creu pibell cyfathrebu at isbroses Methwyd cyrchu %s  %s Methwyd cyrchu rhai archifau. Methwyd prosesu dibyniaethau adeiladu Methwyd gosod amser newid Methwyd stat() Methodd stat() o %s Cyrchwyd %sB yn %s (%sB/s)
 Ffeil heb ei ganfod Dilyn dewisiadau dselect Cyrchu:%lu %s Presennol:%lu %s Fodd bynnag, mae'r pecynnau canlynol yn cymryd ei le: Anwybyddu:%lu %s Sefydlu pecynnau newydd (defnyddiwch libc6 nid libc6.deb) Gwall mewnol URI annilys: rhaid i URIs lleol beidio a cychwyn efo "//" Yn mewngofnodi Methodd y gorchymyn sgript mewngofnodi '%s'; meddai'r gweinydd: %s Rhaid penodi o leiaf un pecyn i wirio dibyniaethau adeiladu ar eu cyfer Rhaid penodi o leiaf un pecyn i gyrchi ffynhonell ar ei gyfer Mae angen cyrchu %sB o archifau.
 Rhaid cyrchu %sB o archifau ffynhonell.
 Mae angeyn cyrchu %sB/%sB o archifau.
 Rhaid cyrchu %sB/%sB o archifau ffynhonell.
 Canfuwyd dim pecyn Methodd gorchymyn PASS; meddai'r gweinydd: %s Mae'r pecyn %s yn becyn rhithwir a ddarparir gan:
 Mae gan y pecyn %s fersiwn %s ddibyniaeth heb ei gwrdd:
 Uwchraddio pecynnau wedi sefydlu Problem wrth stwnshio ffeil Llygr protocol Ymholiad Gwall darllen Pecynnau a argymhellir: Gwall crynhoi patrwm - %s Nid yw ailsefydlu %s yn bosib, gan ni ellir ei lawrlwytho.
 Tynnu pecynnau Cyrchu rhestrau pecynnau newydd Methwyd dewis Caeodd y gweinydd y cysylltiad Dangos cofnodion ffynhonell Yn hepgor %s, mae wedi ei sefydlu a nid yw uwchraddio wedi ei osod.
 Yn hepgor dadbacio y ffynhonell wedi ei dadbacio eisioes yn %s
 Methodd rhai ffeiliau lawrlwytho Methwyd sefydlu rhai pecynnau. Gall hyn olygu eich bod chi wedi gofyn
am sefyllfa amhosib neu, os ydych chi'n defnyddio'r dosraniad
ansefydlog, fod rhai pecynnau angenrheidiol heb gael eu creu eto neu
heb gael eu symud allan o Incoming. Pecynnau a awgrymmir: Methodd gorchymyn TYPE; meddai'r gweinydd: %s Methiant dros dro yn datrys '%s' Caiff y pecynnau NEWYDD canlynol eu sefydlu: Caiff y pecynnau wedi eu dal canlynol eu newid: Gall y wybodaeth canlynol gynorthwyo'n datrys y sefyllfa: Mae gan y pecynnau canlynol ddibyniaethau heb eu bodloni: Caiff y pecynnau canlynol eu TYNNU: Methwyd darllen y rhestr ffynhonellau. Nid yw'r gorchymyn diweddaru yn derbyn ymresymiadau Mae gan yr APT hwn bŵerau buwch hudol. Penodwyd Syml Yn Unig ond nid yw hyn yn weithred syml. Methodd gorchymyn USER; meddai'r gweinydd: %s Methwyd derbyn cysylltiad Ni ellir cywiro dibyniaethau Ni ellir cywiro pecynnau ar goll. Ni ellir darganfod yr enw lleol Ni ellir darganfod enw'r cymar Methwyd cyrchu ffeil; meddai'r gweinydd '%s' Ni ellir cyrchu rhai archifau, efallai dylwch rhedeg apt-get update, neu geidio defnyddio --fix-missing? Ni ellir canfod pecyn ffynhonell ar gyfer %s Ni ellir cyrchu manylion dibyniaeth adeiladu ar gyfer %s Methwyd gweithredu  Ni ellir lleoli'r pecyn %s Ni ellir cloi'r cyfeiriadur lawrlwytho Ni ellir bychanu y set uwchraddio Methwyd darllen y cronfa ddata CD-ROM %s Methwyd danfod gorchymyn PORT Ni ellir datglymu'r CD-ROM yn %s. Efallai ei fod e'n cael ei ddefnyddio. Teulu cyfeiriad anhysbys %u (AF_*) Fformat dyddiad anhysbys Dibyniaethau heb eu bodloni. Ceisiwch rhedeg 'apt --fix-broken install' efo dim pecyn (neu penodwch ddatrys) Methodd y gorchymyn dadbacio '%s'.
 Gwirio fod dim dibyniaethau torredig Yn aros am benawdau Gwall ysgrifennu I Does dim digon o le rhydd gennych yn %s. Efallai hoffech rhedeg 'apt --fix-broken install' er mwyn cywiro'r rhain. Dylech ddewis un yn benodol i'w sefydlu. [IP: %s %s] gwallau uwchben y neges hwn sy'n bwysig. Trwsiwch nhw a rhedwch [S]efydlu eto. ond mae %s wedi ei sefydlu ond mae %s yn mynd i gael ei sefydlu ond mae'n becyn rhithwir ond nid yw'n mynd i gael ei sefydlu ond ni ellir ei sefydlu ond nid yw wedi ei sefydlu Methodd getaddrinfo gael soced gwrando wallau a achosir gan ddibyniaethau coll. Mae hyn yn iawn, dim ond y                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             g     T            
   	  
        %     1     L     `     z                      
                       v  $             7   $   I   #   n               -               	!  '   #!     K!  #   \!     !     !     !  /   !  *   	"     4"  ;   ;"  P   w"  T   "  !   #     ?#     F#  4   X#  A   #     #     #  /   $  #   3$  W   W$     $     $     $     $     $  0   %  -   A%  -   o%  ,   %  )   %     %  -   
&  .   8&  Q   g&     &  0   '     '     '     (     /(     A(     V(     i(     (  3   (  !   (  5   (      ()     I)  1   c)  %   )  E   )     *      *  #   7*     [*     t*     *  &   *  6   *     +  $   +     ;+  :   T+     +  8   +  +   +     ,  6   ,     T,  #   q,     ,  "   ,  
   ,     ,  7   ,     4-  Q   J-  $   -     -  '   -     -     .     &.      C.  $   d.     .     .     .     .     .     .     /     /  
   0/     ;/  P   S/  
   /  x   /  @   (0  *   i0  9   0  
   0  1   0  ,   1  '   81     `1  @   o1  &   1  ,   1  I   2  .   N2  ,   }2     2  
   2  1   2     2  2   3  -   >3  W   l3     3     3  8   3  5   /4  +   e4     4     4  O   c5     5     5  $   5  !   6  (   16     Z6  Z   ;7     7  #   7  $   7  #   7  %   8  9   ;8  4   u8  8   8     8  -    9     .9  (   9  *   :  .   /:  B   ^:     :  3   :  D   :     );  /   <;     l;  3   };  B   ;  l   ;  T   a<     <  2   <  -   =  "   2=     U=     j=     ~=  
   =     =     =  ?   =  (   >     +>      ;>  8   \>     >  +   >  9   >  
   ?     (?     G?     _?  $   y?  4   ?     ?  &   ?     @  -   ,@  1   Z@     @  3   @  L   @  =   !A  B   _A  &   A  1   A  B   A     >B  (   \B     B  5   lC     C     C     C     C     C      
D  5   .D  4   dD  ,   D  -   D  4   D  ,   )E  <   VE     E     fF  +   G  /   /G  *   _G  '   G  (   G  W   G  '   3H  &   [H  .   H  %   H     H     dI  S   I     GJ  &   fJ  )   J  U   J  C   
K     QK     mK     K     K     K     K     K     L     L     1L     ML  ;   hL     L     L     L     L  #   M  "   <M  !   _M  &   M  R   M  &   M  1   "N     TN     fN  %   N  "   N  $   N     N  ;   O      HO     iO     }O  \   O     O      P  (   8P  C  aP    Q     S     qT  V  U    qV  *  W  /   X  ,   X  ,   Y  ~   8Y  8   Y     Y  <   Z     AZ     MZ     ZZ  '   \Z  B   Z  )   Z  ,   Z  5   [     T[     `[     f[     [     [     [     [     [     [     [  I   \     K\     _\     y\  #   \     \     \  /   \     ]  )   7]      a]  -   ]  0   ]     ]  $   ]  4   ^     L^  E   i^     ^     ^     ^  %   ^     _  !   !_  3   C_  <   w_  7   _    _     ya     a  
   a     a     a     a     a     b     b     &b     5b     Nb  
   Zb     hb     ob      c  :   c     Mc     c  *   c  #   d     ;d     Kd  2   fd     d  '   d  (   d     
e  $   e      ?e     `e     ~e  0   e  -   e     e  4   f  R   7f  Y   f  (   f  	   
g     g  8   0g  @   ig     g     g  (   g  %   
h  X   0h     h     h     h     h  %   h  @   	i  3   Ji  1   ~i  -   i  .   i     
j  ,   %j  ,   Rj  U   j    j  5   k     
l     l  !   4l     Vl     ol     l     l     l  ;   l  "   m  5   ?m  #   um     m  1   m     m  Q   n     Un  !   qn  $   n     n  %   n     n  2   o  =   Fo     o  '   o     o  8   o     p  1   )p  -   [p     p  -   p  $   p  *   p     q     6q     Tq     `q  D   }q     q  O   q  4   -r     br  4   nr     r      r  $   r  &    s  /   's  $   Ws     |s     s     s     s     s     s     t  
   t     #t  U   @t     t  |   t  H    u  )   iu  C   u     u  5   u  *   v  (   Iv     rv  =   ~v  *   v  ,   v  J   w  1   _w     w     w  
   w  @   w      x  1   "x  .   Tx  W   x  )   x     y  C   "y  9   fy  6   y     y     y  R   z  "   z     {  *   5{  #   `{  .   {     {  a   |     }  +   "}  +   N}  +   z}  ,   }  H   }  G   ~  4   d~  8   ~  *   ~     ~  3     -     9     K   J       5     A   ؀       -   0     ^  1   q  I     j     [   X       .   Ԃ  +     $   /     T     q  
   ~  	          *     >   ԃ  *        >  #   Q  2   u       .   Ą  @        4     E  '   b       %     9   ʅ          "     A  0   Z  2          B   ӆ  M     N   d  S     (     <   0  >   m  "     &   ψ       A     	               (   3  $   \  0     6     5     +     +   K  5   w  1     ?   ߋ            )   v  .     '   ύ  )     &   !  \   H  #     $   Ɏ  -     .        K     ߏ  N   v  #   Ő  /     L     a   f  N   ȑ  #     %   ;     a  %   }                           &   2  #   Y  @   }  7                   6  "   V  #   y  "     +     j     (   W  ?             ԕ  #     '     #   @     d  B        Ɩ       "     c     %          >   ŗ  ]      b     ~     h  P  )    z  D    =   ݠ  ,     -   H     v  @        9  R   J  
     
          !     F   ע  '     *   F  ?   q               ã            $     
   5     C     U     n  L   t          פ               0     M  /   i       !     -   ץ  .     )   4     ^      o  6        Ǧ  K        0     =     V  (   h       (     5     K     2   C                2      =           Y   G   *     B      s                     {            r         9    
           }         k                5             N  ;       +            ;  K  y                 e             m        U   )  g          T     b   ,         (                          C  F                /                  d      4  8         	     i      o       A                          &            	      >  6  n              q   P  ^      l   Q  *      %       +                       \                   P                      3      '   .            5             H      |       z        =  v          "              -   ?     j                   L   G        C         Q   <  :                       c  [   g    _                       E        (           F  
  #         _        3      >          -                    <   '    T       J   !         D                        2             ,        8        Y  D           7                  4   I   #         0       a     X               e  W       u   [         ]  d  &      x      O  ^                 w         S                  c             U  $                        6   
      f           @   f  1  R                 !       M  O   H         I  S  A               p               R  @  Z   a   7  V       ]                "               J       L  9       V          `               .  )                       %                 X      N   
   E   \      `          b          $   :           0         M      W      ~                    ?                             h   K                1   B                              Z              t   /     Candidate:    Installed:    Missing:    Mixed virtual packages:    Normal packages:    Pure virtual packages:    Single virtual packages:    Version table:  Done  [Installed]  [Not candidate version]  [Working]  failed.  or %i package can be upgraded. Run 'apt list --upgradable' to see it.
 %i packages can be upgraded. Run 'apt list --upgradable' to see them.
 %lu downgraded,  %lu not fully installed or removed.
 %lu package was automatically installed and is no longer required.
 %lu packages were automatically installed and are no longer required.
 %lu reinstalled,  %lu to remove and %lu not upgraded.
 %lu upgraded, %lu newly installed,  %s (due to %s) %s -> %s with priority %d
 %s can not be marked as it is not installed.
 %s does not take any arguments %s has no build depends.
 %s is already the newest version (%s).
 %s set on hold.
 %s set to automatically installed.
 %s set to manually installed.
 %s was already not on hold.
 %s was already set on hold.
 %s was already set to automatically installed.
 %s was already set to manually installed.
 (none) --fix-missing and media swapping is not currently supported --force-yes is deprecated, use one of the options starting with --allow instead. A proxy server was specified but no login script, Acquire::ftp::ProxyLogin is empty. A response overflowed the buffer. Abort. Aborting install. After this operation, %sB disk space will be freed.
 After this operation, %sB of additional disk space will be used.
 All packages are up to date. Arguments not in pairs At least one invalid signature was encountered. Authentication warning overridden.
 Automatically disabled %s due to incorrect response from server/proxy. (man 5 apt.conf) Bad default setting! Bad header data Bad header line Broken packages Build command '%s' failed.
 Cache is out of sync, can't x-ref a package file Can not find a package '%s' with release '%s' Can not find a package '%s' with version '%s' Can not find a package for architecture '%s' Can not find version '%s' of package '%s' Canceled hold on %s.
 Cannot initiate the connection to %s:%s (%s). Check if the 'dpkg-dev' package is installed.
 Clearsigned file isn't valid, got '%s' (does the network require authentication?) Configuration options and syntax is detailed in apt.conf(5).
Information about how to configure sources can be found in sources.list(5).
Package and version choices can be expressed via apt_preferences(5).
Security details are available in apt-secure(8).
 Configure build-dependencies for source packages Connecting to %s Connecting to %s (%s) Connection closed prematurely Connection failed Connection timed out Connection timeout Correcting dependencies... Could not bind a socket Could not connect data socket, connection timed out Could not connect passive socket. Could not connect to %s:%s (%s), connection timed out Could not connect to %s:%s (%s). Could not create a socket Could not create a socket for %s (f=%u t=%u p=%u) Could not determine the socket's name Could not execute 'apt-key' to verify signature (is gnupg installed?) Could not listen on the socket Could not resolve '%s' Couldn't determine free space in %s Couldn't find package %s Data socket connect timed out Data socket timed out Data transfer failed, server said '%s' Direct connection to %s domains is blocked by default. Disk not found. Distribution upgrade, see apt-get(8) Do you want to continue? Do you want to erase any previously downloaded .deb files? Download Failed Download and display the changelog for the given package Download complete and in download only mode Download source archives Download the binary package into the current directory EPRT failed, server said: %s Empty files can't be valid archives Erase downloaded archive files Erase old downloaded archive files Err:%lu %s Error reading from server Error reading from server. Remote end closed connection Error writing to file Essential packages were removed and -y was used without --allow-remove-essential. Executing dpkg failed. Are you root? Failed Failed to create IPC pipe to subprocess Failed to fetch %s  %s Failed to fetch some archives. Failed to mount '%s' to '%s' Failed to parse %s. Edit again?  Failed to process build dependencies Failed to set modification time Failed to stat Failed to stat %s Fetch source %s
 Fetched %sB in %s (%sB/s)
 File not found Follow dselect selections Full Text Search Get:%lu %s GetSrvRec failed for %s Held packages were changed and -y was used without --allow-change-held-packages. Hit:%lu %s Hmm, seems like the AutoRemover destroyed something which really
shouldn't happen. Please file a bug report against apt. How odd... The sizes didn't match, email apt@packages.debian.org However the following packages replace it: If you meant to use Tor remember to use %s instead of %s. Ign:%lu %s Install new packages (pkg is libc6 not libc6.deb) Install these packages without verification? Internal Error, AutoRemover broke stuff Internal error Internal error, InstallPackages was called with broken packages! Internal error, Ordering didn't finish Internal error, problem resolver broke stuff Internal error: Good signature, but could not determine key fingerprint?! Invalid URI, local URIS must not start with // List the names of all packages in the system Listing Logging in Login script command '%s' failed, server said: %s Mark a package as held back Mark the given packages as automatically installed Mark the given packages as manually installed Media change: please insert the disc labeled
 '%s'
in the drive '%s' and press [Enter]
 Merging available information Most used commands: Must specify at least one package to check builddeps for Must specify at least one package to fetch source for Must specify at least one pair url/filename N NOTE: This is only a simulation!
      %s needs root privileges for real execution.
      Keep also in mind that locking is deactivated,
      so don't depend on the relevance to the real current situation!
 NOTICE: '%s' packaging is maintained in the '%s' version control system at:
%s
 Need one URL as argument Need to get %sB of archives.
 Need to get %sB of source archives.
 Need to get %sB/%sB of archives.
 Need to get %sB/%sB of source archives.
 No CD-ROM could be auto-detected or found using the default mount point.
You may try the --cdrom option to set the CD-ROM mount point.
See 'man apt-cdrom' for more information about the CD-ROM auto-detection and mount point. No architecture information available for %s. See apt.conf(5) APT::Architectures for setup No packages found Note, selecting '%s' for glob '%s'
 Note, selecting '%s' for regex '%s'
 Note, selecting '%s' for task '%s'
 Note, selecting '%s' instead of '%s'
 Note, using directory '%s' to get the build dependencies
 Note, using file '%s' to get the build dependencies
 Note: This is done automatically and on purpose by dpkg. PASS failed, server said: %s Package %s is a virtual package provided by:
 Package %s is not available, but is referred to by another package.
This may mean that the package is missing, has been obsoleted, or
is only available from another source
 Package %s version %s has an unmet dep:
 Package '%s' has no installation candidate Package '%s' is not installed, so not removed
 Package '%s' is not installed, so not removed. Did you mean '%s'?
 Package files: Packages need to be removed but remove is disabled. Packages were downgraded and -y was used without --allow-downgrades. Perform an upgrade Picking '%s' as source package instead of '%s'
 Pinned packages: Please insert a Disc in the drive and press [Enter] Please provide a name for this Disc, such as 'Debian 5.0.3 Disk 1' Please use apt-cdrom to make this CD-ROM recognized by APT. apt-get update cannot be used to add new CD-ROMs Please use:
%s
to retrieve the latest (possibly unreleased) updates to the package.
 Press [Enter] to continue. Print the list of automatically installed packages Print the list of manually installed packages Print the list of packages on hold Problem hashing file Protocol corruption Query Read error Recommended packages: Regex compilation error - %s Reinstallation of %s is not possible, it cannot be downloaded.
 Remove automatically all unused packages Remove packages Remove packages and config files Repeat this process for the rest of the CDs in your set. Retrieve new lists of packages Search the package list for a regex pattern See %s for more information about the available commands. Select failed Selected %s for installation.
 Selected %s for purge.
 Selected %s for removal.
 Selected version '%s' (%s) for '%s'
 Selected version '%s' (%s) for '%s' because of '%s'
 Server closed the connection Show a readable record for the package Show policy settings Show raw dependency information for a package Show reverse dependency information for a package Show source records Signature by key %s uses weak digest algorithm (%s) Signed file isn't valid, got '%s' (does the network require authentication?) Skipping %s, it is already installed and upgrade is not set.
 Skipping %s, it is not installed and only upgrades are requested.
 Skipping already downloaded file '%s'
 Skipping unpack of already unpacked source in %s
 Some errors occurred while unpacking. Packages that were installed Some files failed to download Some packages could not be authenticated Some packages could not be installed. This may mean that you have
requested an impossible situation or if you are using the unstable
distribution that some required packages have not yet been created
or been moved out of Incoming. Something wicked happened resolving '%s:%s' (%i - %s) Sorting Suggested packages: Supported modules: System error resolving '%s:%s' TYPE failed, server said: %s Temporary failure resolving '%s' The HTTP server sent an invalid Content-Length header The HTTP server sent an invalid Content-Range header The HTTP server sent an invalid reply header The following NEW packages will be installed: The following additional packages will be installed: The following held packages will be changed: The following information may help to resolve the situation: The following package disappeared from your system as
all files have been overwritten by other packages: The following packages disappeared from your system as
all files have been overwritten by other packages: The following package was automatically installed and is no longer required: The following packages were automatically installed and are no longer required: The following packages have been kept back: The following packages have unmet dependencies: The following packages will be DOWNGRADED: The following packages will be REMOVED: The following packages will be upgraded: The following signatures couldn't be verified because the public key is not available:
 The following signatures were invalid:
 The list of sources could not be read. The server refused the connection and said: %s The update command takes no arguments There is %i additional record. Please use the '-a' switch to see it There are %i additional records. Please use the '-a' switch to see them. There is %i additional version. Please use the '-a' switch to see it There are %i additional versions. Please use the '-a' switch to see them. There were unauthenticated packages and -y was used without --allow-unauthenticated This APT has Super Cow Powers. This APT helper has Super Meep Powers. This HTTP server has broken range support This command is deprecated. Please use 'apt-mark auto' and 'apt-mark manual' instead. This command is deprecated. Please use 'apt-mark showauto' instead. Total Desc/File relations:  Total Provides mappings:  Total dependencies:  Total distinct descriptions:  Total distinct versions:  Total globbed strings:  Total package names:  Total package structures:  Total slack space:  Total space accounted for:  Total ver/file relations:  Trivial Only specified but this is not a trivial operation. USER failed, server said: %s Unable to accept connection Unable to connect to %s:%s: Unable to correct dependencies Unable to correct missing packages. Unable to determine the local name Unable to determine the peer name Unable to fetch file, server said '%s' Unable to fetch some archives, maybe run apt-get update or try with --fix-missing? Unable to find a source package for %s Unable to get build-dependency information for %s Unable to invoke  Unable to locate package %s Unable to lock the download directory Unable to minimize the upgrade set Unable to read the cdrom database %s Unable to send PORT command Unable to unmount the CD-ROM in %s, it may still be in use. Unknown address family %u (AF_*) Unknown date format Unknown error executing apt-key Unmet dependencies. Try 'apt --fix-broken install' with no packages (or specify a solution). Unpack command '%s' failed.
 Unset a package set as held back Unsupported file %s given on commandline Usage: apt [options] command

apt is a commandline package manager and provides commands for
searching and managing as well as querying information about packages.
It provides the same functionality as the specialized APT tools,
like apt-get and apt-cache, but enables options more suitable for
interactive use by default.
 Usage: apt-cache [options] command
       apt-cache [options] show pkg1 [pkg2 ...]

apt-cache queries and displays available information about installed
and installable packages. It works exclusively on the data acquired
into the local cache via the 'update' command of e.g. apt-get. The
displayed information may therefore be outdated if the last update was
too long ago, but in exchange apt-cache works independently of the
availability of the configured sources (e.g. offline).
 Usage: apt-cdrom [options] command

apt-cdrom is used to add CDROM's, USB flashdrives and other removable
media types as package sources to APT. The mount point and device
information is taken from apt.conf(5), udev(7) and fstab(5).
 Usage: apt-config [options] command

apt-config is an interface to the configuration settings used by
all APT tools, mainly intended for debugging and shell scripting.
 Usage: apt-get [options] command
       apt-get [options] install|remove pkg1 [pkg2 ...]
       apt-get [options] source pkg1 [pkg2 ...]

apt-get is a command line interface for retrieval of packages
and information about them from authenticated sources and
for installation, upgrade and removal of packages together
with their dependencies.
 Usage: apt-helper [options] command
       apt-helper [options] cat-file file ...
       apt-helper [options] download-file uri target-path

apt-helper bundles a variety of commands for shell scripts to use
e.g. the same proxy configuration or acquire system as APT would.
 Usage: apt-mark [options] {auto|manual} pkg1 [pkg2 ...]

apt-mark is a simple command line interface for marking packages
as manually or automatically installed. It can also be used to
manipulate the dpkg(1) selection states of packages, and to list
all packages with or without a certain marking.
 Use '%s' to remove it. Use '%s' to remove them. Verify that there are no broken dependencies Virtual packages like '%s' can't be removed
 WARNING: The following essential packages will be removed.
This should NOT be done unless you know exactly what you are doing! WARNING: The following packages cannot be authenticated! Waiting for headers We are not supposed to delete stuff, can't start AutoRemover Write error Wrong CD-ROM Y You don't have enough free space in %s. You might want to run 'apt --fix-broken install' to correct these. You must give at least one search pattern You should explicitly select one to install. Your '%s' file changed, please run 'apt-get update'.
 [IP: %s %s] [Y/n] [installed,auto-removable] [installed,automatic] [installed,local] [installed,upgradable to: %s] [installed] [residual-config] [upgradable from: %s] [y/N] above this message are important. Please fix them and run [I]nstall again but %s is installed but %s is to be installed but it is a virtual package but it is not going to be installed but it is not installable but it is not installed concatenate files, with automatic decompression detect proxy using apt.conf download the given uri to the target-path edit the source information file get configuration values via shell evaluation getaddrinfo was unable to get a listening socket install packages list packages based on package names lookup a SRV record (e.g. _http._tcp.ftp.debian.org) not a real package (virtual) or errors caused by missing dependencies. This is OK, only the errors remove packages search in package descriptions show package details show the active configuration setting unknown update list of available packages upgrade the system by installing/upgrading packages upgrade the system by removing/installing/upgrading packages will be configured. This may result in duplicate errors Project-Id-Version: apt 1.4~rc2
Report-Msgid-Bugs-To: APT Development Team <deity@lists.debian.org>
PO-Revision-Date: 2017-03-02 23:51+0200
Last-Translator: Joe Hansen <joedalton2@yahoo.dk>
Language-Team: Danish <debian-l10n-danish@lists.debian.org>
Language: da
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n != 1);
   Kandidat:    Installeret:    Manglende:    Blandede virtuelle pakker:    Normale pakker:    Rene virtuelle pakker:    Enkelte virtuelle pakker:    Versionstabel:  Færdig  [Installeret]  [Ingen kandidatversion]  [Arbejder]  mislykkedes.  eller %i pakke kan opgraderes. Kør »apt list --upgradable« for at se den.
 %i pakker kan opgraderes. Kør »apt list --upgradable« for at se dem.
 %lu nedgraderes,  %lu ikke fuldstændigt installerede eller afinstallerede.
 Pakken %lu blev installeret automatisk, og behøves ikke længere.
 Pakkerne %lu blev installeret automatisk, og behøves ikke længere.
 %lu geninstalleres,  %lu afinstalleres og %lu opgraderes ikke.
 %lu opgraderes, %lu nyinstalleres,  %s (grundet %s) %s -> %s med prioritet %d
 %s kan ikke markeres, da den ikke er installeret.
 »%s« benytter ingen parametre %s har ingen opbygningsafhængigheder.
 %s er allerede den nyeste version (%s).
 %s sat i bero.
 %s sat til automatisk installation.
 %s sat til manuelt installeret.
 %s var allerede ikke i bero.
 %s var allerede sat i bero.
 %s var allerede sat til automatisk installeret.
 %s var allerede sat til manuelt installeret.
 (ingen) --fix-missing og medieskift understøttes endnu ikke --force-yes er forældet, brug i stedet for et af tilvalgene startende med --allow Der blev angivet en proxyserver men intet logpå-skript; Acquire::ftp::ProxyLogin er tom. Mellemlageret blev overfyldt af et svar. Afbryder. Afbryder installationen. Efter denne handling, vil %sB diskplads blive frigjort.
 Efter denne handling, vil %sB yderligere diskplads være brugt.
 Alle pakker er opdateret. Parametre ikke angivet i par Stødte på mindst én ugyldig signatur. Autentifikationsadvarsel tilsidesat.
 Deaktiverede automatisk %s på grund af ukorrekt svar fra server/proxy. (man 5 apt.conf) Ugyldig standardindstilling! Ugyldige hoved-data Ugyldig linje i hovedet Ødelagte pakker Opbygningskommandoen »%s« fejlede.
 Mellemlageret er ude af trit, kan ikke krydsreferere en pakkefil Kan ikke finde en pakke »%s« med udgivelse »%s« Kan ikke finde en pakke »%s« med version »%s« Kan ikke finde en pakke for arkitektur »%s« Kan ikke finde version »%s« for pakke »%s« Afbrød i bero for %s.
 Kan ikke oprette forbindelse til %s:%s (%s). Tjek om pakken »dpkg-dev« er installeret.
 Clearsigned-fil er ikke gyldig, fik »%s« (kræver netværket ikke autentificering?) Konfigurationstilvalg og -syntaks er omtalt detaljeret i apt.conf(5).
Information om hvordan kilder konfigureres kan findes i sources.list(5).
Pakke- og versionsvalg kan udtrykkes via apt_preferences(5).
Sikkerhedsdetaljer er tilgængelige i apt-secure(8).
 Sæt opbygningsafhængigheder op for kildetekstpakker Forbinder til %s Forbinder til %s (%s) Forbindelsen lukkedes for hurtigt Forbindelsen mislykkedes Tidsudløb på forbindelsen Tidsudløb på forbindelsen Retter afhængigheder ... Kunne ikke tilknytte en sokkel Kunne ikke forbinde datasokkel, tidsudløb på forbindelsen Kunne ikke forbinde passiv sokkel. Kunne ikke forbinde til %s:%s (%s) grundet tidsudløb Kunne ikke forbinde til %s:%s (%s). Kunne ikke oprette sokkel Kunne ikke oprette sokkel til %s (f=%u t=%u p=%u) Kunne ikke finde soklens navn Kunne ikke køre »apt-key« for at verificere signaturen (er gnupg installeret?) Kunne ikke lytte på soklen Kunne ikke omsætte navnet »%s« Kunne ikke bestemme ledig plads i %s Kunne ikke finde pakken %s Tidsudløb på datasokkel-forbindelse Tidsudløb ved datasokkel Dataoverførsel mislykkedes, serveren sagde »%s« Direkte forbindelse til %s-domæner er som standard blokeret. Disk blev ikke fundet. Distributionsopgradering, se apt-get(8) Vil du fortsætte? Ønsker du at slette nogle tidligere hentede .deb-filer? Kunne ikke hente pakkerne Hent og vis ændringsloggen for den angivne pakke Nedhentning afsluttet i »hent-kun«-tilstand Hent kildetekstarkiver Hent den binære pakke til den aktuelle mappe EPRT mislykkedes. Serveren sagde: %s Tomme filer kan ikke være gyldige arkiver Slet hentede arkivfiler Slet gamle hentede arkivfiler Fejl:%lu %s Fejl ved læsning fra server Fejl ved læsning fra serveren. Den fjerne ende lukkede forbindelsen Fejl ved skrivning til fil Essentielle pakker blev fjernet og -y blev brugt uden --allow-remove-essential. Kørsel af dpkg fejlede. Er du root (administrator)? Mislykkedes Kunne ikke oprette IPC-videreførsel til underproces Kunne ikke hente %s %s Nogle arkiver kunne ikke hentes. Kunne ikke montere »%s« til »%s« Kunne ikke fortolke %s. Rediger igen?  Kunne ikke behandler opbygningsafhængighederne Kunne ikke angive ændringstidspunkt Kunne ikke finde Kunne ikke finde %s Henter kildetekst %s
 Hentede %sB på %s (%sB/s)
 Fil blev ikke fundet Følg valgene fra dselect Fuldtekst-søgning Henter:%lu %s GetSrvRec mislykkedes for %s Tilbageholdte pakker blev ændret og -y blev brugt uden --allow-change-held-packages. Havde:%lu %s Hmm, det lader til at AutoRemover smadrede noget, der virkelig ikke
burde kunne ske. Indsend venligst en fejlrapport om apt. Mystisk... Størrelserne passede ikke, skriv til apt@packages.debian.org De følgende pakker vil dog erstatte den: Hvis du ønskede at bruge Tor så husk at bruge %s i stedet for %s. Ignorerer:%lu %s Installer nye pakker (pakke er libc6, ikke libc6.deb) Installér disse pakker uden verifikation? Intern fejl. AutoRemover ødelagde noget Intern fejl Intern fejl. InstallPackages blev kaldt med ødelagte pakker! Intern fejl. Sortering blev ikke fuldført Intern fejl. Problemløseren ødelagde noget Intern fejl: Gyldig signatur, men kunne ikke afgøre nøgle-fingeraftryk?! Ugyldig URI, lokale URI'er må ikke starte med // Vis navnene på alle pakker Listing Logget på Logpå-skriptets kommando »%s« mislykkedes. Serveren sagde: %s Marker en pakke som tilbageholdt Marker de givne pakker som automatisk installeret Marker de givne pakker som manuelt installeret Medieskift: Indsæt venligst disken med navnet
 »%s«
i drevet »%s« og tryk [Retur]
 Sammenfletter tilgængelighedsoplysninger De mest anvendte kommandoer: Skal angive mindst én pakke at tjekke opbygningsafhængigheder for Du skal angive mindst én pakke at hente kildeteksten til Du skal angive mindst et par i form af adresse/filnavn N BEMÆRK: Dette er kun en simulering!
    %s kræver rootprivilegier for reel kørsel.
    Husk også at låsning er deaktiveret,
    så stol ikke på relevansen for den reelle aktuelle situation!
 BEMÆRK: Pakning af »%s« vedligeholdes i versionskontrolsystemet »%s« på:
%s
 Skal bruge en adresse som argument %sB skal hentes fra arkiverne.
 %sB skal hentes fra kildetekst-arkiverne.
 %sB/%sB skal hentes fra arkiverne.
 %sB/%sB skal hentes fra kildetekst-arkiverne.
 Ingen cd-rom kunne detekteres eller findes via standardmonteringspunktet.
Du kan prøve tilvalget --cdrom for at angive cd-rom-monteringspunktet.
Se »man apt-cdrom« for yderligere information om automatisk detektering af cd-rom og monteringspunkt. Ingen arkitekturinformation tilgængelig for %s. Se apt.conf(5) APT::Architectures for opsætning Fandt ingen pakker Bemærk, vælger »%s« for glob'en »%s«
 Bemærk, vælger »%s« for glob'en »%s«
 Bemærk, vælger »%s« for opgaven »%s«
 Bemærk, vælger »%s« i stedet for »%s«
 Bemærk, bruger mappen »%s« til at hente kompileringsafhængighederne
 Bemærk, bruger filen »%s« til at hente kompileringsafhængighederne
 Bemærk: Dette sker automatisk og med vilje af dpkg. angivelse af adgangskode mislykkedes, serveren sagde: %s Pakken %s er en virtuel pakke tilbudt af:
 Pakken %s er ikke tilgængelig, men der refereres til den af en
anden pakke. Det kan betyde at pakken mangler, er blevet forældet
eller kun er tilgængelig fra en anden kilde
 Pakken %s version %s har en uopfyldt afhængighed:
 Pakken »%s« har ingen installationskandidat Pakken »%s« er ikke installeret, så blev ikke fjernet
 Pakken »%s« er ikke installeret, så blev ikke fjernet. Mente du »%s«?
 Pakkefiler: Pakker skal afinstalleres, men Remove er deaktiveret. Pakker blev nedgraderet og -y blev brugt uden --allow-downgrades. Udfør en opgradering Vælger »%s« som kildepakke fremfor »%s«
 »Pinned« pakker: Indsæt venligst en disk i drevet og tryk [Retur] Angiv venligst et navn for denne disk, som f.eks. »Debian 5.0.3 Disk 1« Brug apt-cdrom for at apt kan lære den at kende. apt-get update kan ikke bruges til at tilføje nye cd'er Brug venligst:
%s
for at hente de seneste (muligvis ikke udgivet) opdateringer til pakken.
 Tryk [Retur] for at fortsætte. Vis listen over automatisk installerede pakker Vis listen over manuelt installerede pakker Vis listen over tilbageholdte pakker Problem ved "hashing" af fil Protokolfejl Forespørgsel Læsefejl Anbefalede pakker: Fejl ved tolkning af regulært udtryk - %s Geninstallation af %s er ikke muligt, pakken kan ikke hentes.
 Afinstaller automatisk alle ubrugte pakker Afinstaller pakker Fjern pakker og konfigurationsfiler Gentag processen for resten af cd'erne i dit sæt. Hent nye lister over pakker Gennemsøg pakkelisten med et regulært udtryk Se %s for yderligere information om de tilgængelige kommandoer. Valg mislykkedes Valgte %s for installation.
 Valgte %s for fuldstænding fjernelse.
 Valgte %s for fjernelse.
 Valgt version »%s« (%s) for »%s«
 Valgt version »%s« (%s) for »%s« på grund af »%s«
 Serveren lukkede forbindelsen Vis en læsbar post for pakken Vis policy-indstillinger Vis de rå afhængighedsoplysninger for en pakke Vis omvendte afhængighedsoplysninger for en pakke Vis kildetekstposter Signaturen med nøglen %s bruger en svag sammendragsalgoritme (%s) Underskrevet fil er ikke gyldig, fik »%s« (kræver netværket godkendelse?) Springer over %s, den er allerede installeret og opgradering er ikke angivet.
 Springer over %s, den er ikke installeret og der blev kun anmodt om opgraderinger.
 Overspringer allerede hentet fil »%s«
 Overspringer udpakning af allerede udpakket kildetekst i %s
 Der opstod fejl under udpakningen. Pakker som blev installeret Nedhentningen af filer mislykkedes Nogle pakker kunne ikke autentificeres Nogle pakker kunne ikke installeres. Det kan betyde at du har ønsket
en umulig situation eller bruger den ustabile distribution, hvor enkelte
pakker endnu ikke er lavet eller gjort tilgængelige. Der skete noget underligt under opløsning af »%s:%s« (%i - %s) Sortering Foreslåede pakker: Understøttede moduler: Systemfejl under opløsning af »%s:%s« TYPE mislykkedes. Serveren sagde: %s Midlertidig fejl ved omsætning af navnet »%s« Http-serveren sendte et ugyldigt Content-Length-hovede Http-serveren sendte et ugyldigt Content-Range-hovede Http-serveren sendte et ugyldigt svarhovede Følgende NYE pakker vil blive installeret: De følgende yderligere pakker vil blive installeret: Følgende tilbageholdte pakker vil blive ændret: Følgende oplysninger kan hjælpe dig med at klare situationen: Den følgende pakke forsvandt fra dit system, da
alle filer er blevet overskrevet af andre pakker: De følgende pakker forsvandt fra dit system, da
alle filer er blevet overskrevet af andre pakker: Følgende pakke blev installeret automatisk, og behøves ikke længere: Følgende pakker blev installeret automatisk, og behøves ikke længere: Følgende pakker er blevet holdt tilbage: Følgende pakker har uopfyldte afhængigheder: Følgende pakker vil blive NEDGRADERET: Følgende pakker vil blive AFINSTALLERET: Følgende pakker vil blive opgraderet: Følgende signaturer kunne ikke verificeret, da den offentlige nøgle ikke er tilgængelig:
 Følgende signaturer var ugyldige:
 Listen med kilder kunne ikke læses. Serveren nægtede os forbindelse og sagde: %s »update«-kommandoen benytter ingen parametre Der er %i yderligere post. Brug venligst kontakten »-a« for at se den. Der er %i yderligere poster. Brug venligst kontakten »-a« for at se dem. Der er %i yderlig version. Brug venligst kontakten »-a« til at se den. Der er %i yderligere versioner. Brug venligst kontakten »-a« til at se dem. Der var pakker uden godkendelser og -y blev brugt uden --allow-unauthenticated Denne APT har »Super Cow Powers«. Dette APT-hjælpeprogram har Super Meep Powers. Denne http-servere har fejlagtig understøttelse af intervaller (»ranges«) Denne kommando er forældet. Brug venligst »apt-mark auto« og »apt-mark manual« i stedet for. Denne kommando er forældet. Brug venligst »apt-mark showauto« i stedet for. Sammenlagt version/fil-relationer:  Sammenlagt »Tilbyder«-markeringer:  Sammenlagt afhængigheder:  Sammenlagt forskellige beskrivelser:  Totale forskellige versioner:  Totalle søgemønsterstrenge:  Samlet antal pakkenavne:  Samlet antal pakkestrukturer:  Total »Slack«-plads:  Total plads, der kan gøres rede for:  Sammenlagt version/fil-relationer:  »Trivial Only« angivet, men dette er ikke en triviel handling. angivelse af brugernavn mislykkedes, serveren sagde: %s Kunne ikke acceptere forbindelse Kunne ikke forbinde til %s:%s: Kunne ikke rette afhængigheder Kunne ikke rette manglende pakker. Kunne ikke bestemme det lokale navn Kunne ikke bestemme serverens navn Kunne ikke hente fil. Serveren sagde »%s« Kunne ikke hente nogle af arkiverne. Prøv evt. at køre »apt-get update« eller prøv med --fix-missing. Kunne ikke finde kildetekstpakken for %s Kunne ikke hente oplysninger om opbygningsafhængigheder for %s Kunne ikke udføre  Kunne ikke lokalisere pakken %s Kunne ikke låse nedhentningsmappen Kunne ikke minimere opgraderingssættet Kunne ikke læse cdrom-databasen %s Kunne ikke sende PORT-kommando Kunne ikke afmontere cdrommen i %s, den er muligvis stadig i brug. Ukendt adressefamilie %u (AF_*) Ukendt datoformat Ukendt fejl ved kørsel af apt-key Uopfyldte afhængigheder. Prøv »apt --fix-broken install« uden pakker (eller angiv en løsning). Udpakningskommandoen »%s« fejlede.
 Fjern tilbageholdelse på pakke Filen %s er ikke understøttet når angivet på kommandolinjen Brug: apt [tilvalg] kommando

apt er en pakkehåndtering for kommandolinjen og den tilbyder kommandoer
for søgning og håndtering samt forespørgsel af information om pakker.
Den tilbyder den samme funktionalitet som de specialiserede APT-værktøjer,
såsom apt-get og apt-cache, men aktiverer tilvalg mere egnet for
interaktiv brug som standard.
 Brug: apt-cache [tilvalg] kommando
       apt-cache [tilvalg] show pakke1 [pakke2 ...]

apt-cache forespørger og viser tilgængelig information om installerede
pakker og pakker der kan installeres. Programmet fungerer eksklusivt på
data hentet i det lokale mellemlager via kommandoen »update« for f.eks.
apt-get. Den viste information kan derfor være forældet, hvis den sidste
opdatering ikke var så lang tid siden, men til gengæld fungerer apt-cache
uafhængig af tilgængeligheden for de konfigurerede kilder (f.eks.
frakoblet).
 Brug: apt-cdrom [tilvalg] kommando

apt-cdrom bruges til at tilføje cd-rom'er, USB-flashdrev og andre
eksterne medietyper som pakkekilder til APT. Monteringspunktet og
enhedsinformationen tages fra apt.conf(5), udev(7) og fstab(5).
 Brug: apt-config [tilvalg] kommando

apt-config er en grænseflade til konfigurationsindstillingerne
brugt af alle APT-værktøjer, hovedsagelig lavet til fejlsøgning
og skalskriptopbygning.
 Brug: apt-get [tilvalg] kommando
      apt-get [tilvalg] install|remove pakke1 [pakke2 ...]
      apt-get [tilvalg] source pakke1 [pakke2 ...]

apt-get er en kommandolinjegrænseflade til at hente pakker og
information om dem fra godkendte kilder og for installation,
opgradering og fjernelse af pakker sammen med deres afhængigheder.
 Brug: apt-helper [tilvalg] kommando
      apt-helper [tilvalg] cat-file-fil ...
      apt-helper [tilvalg] download-file uri mål-sti

apt-helper samler en række kommandoer som skalskripter kan bruge
f.eks. den samme proxykonfiguration eller indhentelsessystem som
APT ville anvende.
 Brug: apt-mark [tilvalg] {auto|manual} pakke1 [pakke2 ...]

apt-mark er en simpel kommandolinjegrænseflade for markering af pakker
som manuelt eller automatisk installeret. Programmet kan også bruges
til at manipulere dpkg(1)-markeringstilstande for pakker, og til at
vise alle pakker med eller uden en bestemt markering.
 Brug »%s« til at fjerne den. Brug »%s« til at fjerne dem. Tjek at der ikke er uopfyldte afhængigheder Virtuelle pakker som »%s« kan ikke fjernes
 ADVARSEL: Følgende essentielle pakker vil blive afinstalleret
Dette bør IKKE ske medmindre du er helt klar over, hvad du laver! ADVARSEL: Følgende pakkers autenticitet kunne ikke verificeres! Afventer hoveder Det er ikke meningen, at vi skal slette ting og sager, kan ikke starte AutoRemover Skrivefejl Forkert cd J Du har ikke nok ledig plads i %s. Du kan muligvis rette dette ved at køre »apt --fix-broken install«. Du skal angive mindst ét søgemønster Du skal eksplicit vælge en at installere. Din »%s« fil blev ændret, kør venligst »apt-get update«.
 [IP: %s %s] [J/n] [installeret,kan auto-fjernes] [Installeret,automatisk] [Installeret,lokalt] [installeret,kan opgraderes til: %s] [Installeret] [residual-konfig] [kan opgraderes fra: %s] [j/N] fejlene over denne besked, der er vigtige. Ret dem og kør [I]nstallér igen men %s er installeret men %s forventes installeret men det er en virtuel pakke men den bliver ikke installeret men den kan ikke installeres men den er ikke installeret sammenkæd filer, med automatisk dekomprimering detekter proxy via apt.conf hent den angivne uri til mål-sti rediger source-informationsfilen (kildefilen) hent konfigurationsværdier via skalevaluering getaddrinfo kunne ikke få en lyttesokkel installer pakker vis pakker baseret på pakkenavn slå en SRV-post op (f.eks. _http._tcp.ftp.debian.org) ikke en reel pakke (virtuel) eller fejl, der skyldes manglende afhængigheder. Dette er o.k.  Det er kun fjern pakker søg i pakkebeskrivelser vis pakkedetaljer vis den aktive konfigurationsindstilling ukendt opdater listen over tilgængelige pakker opgradere systemet ved at installere/opgradere pakker full-upgrade - opgradere systemet ved at fjerne/installere/opgradere pakker vil blive konfigureret. Det kan give gentagne fejl                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               |                 
     
                        (      B      ^      o      u         
                           >!  $   O!     t!     !  $   "  #   6"     Z"     i"  -   "     "     "  '   "     #  #   $#     H#     g#     #  /   #  *   #     #  ;   $  P   ?$  T   $  !   $     %     %  4    %  A   U%     %     %  /   %  #   %  W   &     w&     &     &     &     &  0   &  -   	'  -   7'  ,   e'  )   '     '  -   '  .    (  Q   /(     (  0   )     )     )     )     )     *     *     3*     F*     a*  3   y*  !   *  5   *      +     &+  1   @+  %   r+  E   +     +     +  #   ,     8,     Q,     o,  &   ,  6   ,     ,  $   ,  O   -     h-  :   -     -  8   -  +   .     1.  6   J.     .  #   .     .  "   .  
   /     /  7   )/     a/  Q   w/  $   /     /  '   /     0     40     S0      p0  $   0     0     0     0     0     1  A   #1     e1     t1     1  
   1     1  P   1  
   2  x   2  @   2  *   2  9   3  
   =3  1   H3  ,   z3  '   3     3  @   3  &   4  ,   F4  I   s4  .   4  J   4  h   75  ,   5     5  
   5  1   5     6  B   .6  2   q6  -   6  W   6     *7  K   H7     7  8   7  5   7  +   8     C8     E8  O   9     e9     ~9  $   9  !   9  (   9     :  Z   :     H;     ];  #   o;  $   ;  #   ;  %   ;  9   <  4   <<  8   q<     <  -   <     <  (   =  *   =  .   =  B   %>     h>  3   w>  D   >     >  /   ?     3?  3   D?  B   x?  l   ?  T   (@     }@  2   @  -   @  "   @     A     1A     EA  
   KA     VA     lA  /   A  ?   A  (   A     "B      2B  Z   SB  8   B  8   B      C     ?C  +   ZC  9   C  
   C     C     C     D  $   D  4   DD     yD  &   D     D  -   D  1    E     2E  3   FE  L   zE  =   E  B   F  &   HF  1   oF  B   F     F  (   G     +G  5   H     HH     PH     dH     wH     H      H  5   H  4   
I  ,   ?I  -   lI  4   I  ,   I  <   I     9J     K  +   K  /   K  *   L  '   0L  A   XL  (   L  W   L  '   M  &   CM  .   jM  %   M     M     LN  S   N     /O  &   NO  )   uO  U   O  C   O     9P     UP     oP     P     P     P     P     P     Q     Q     5Q  ;   PQ     Q     Q     Q     Q  #    R  "   $R  !   GR  &   iR  R   R  &   R  1   
S     <S     NS  %   jS  "   S  $   S     S  ;   S      0T     QT     eT  \   T     T      T  (    U  b   IU  C  U    V     X     Y  V  eZ    [  *  \  /   ]  ,   )^  ,   V^  ~   ^  8   _     ;_  <   O_     _     _     _  '   _  B   _  )   `  ,   <`  5   i`     `     `     `     `     `     `     a     a     0a     Fa  I   La     a  (   a     a     a     a  #   b     ?b     Yb  /   qb     b  )   b  ,   b      c  -   5c  0   cc     c  $   c  4   c     c  E   d     bd     id     |d     d     d     d  %   d     e  !   	e  3   +e  <   _e     e  7   e    e     g     g     g  $   g     g      h  #    h     Dh     Wh     _h  *   nh     h     h     h     h  (   i  2   i     i     j  -   j  '   j  
   j     k  K   k  -   ik  !   k  '   k     k  1   k  -   +l  6   Yl  %   l  6   l  2   l      m  B   (m  `   km  ]   m  =   *n     hn     qn  ;   n  C   n     o     %o  3   ?o  '   so  n   o     
p     &p     Bp     Wp  $   kp  R   p  I   p  <   -q  :   jq  >   q  $   q  6   	r  =   @r  s   ~r  5  r  1   (t     Zt     pt     t     t     t  "   t  "   t  %   u  %   <u  E   bu  .   u  X   u  (   0v  #   Yv  <   }v  .   v  c   v  5   Mw  &   w  0   w  %   w  .   x  '   0x  7   Xx  @   x     x  \   x  b   Dy     y  A   y     z  H   z  :   hz     z  9   z     z  1   {  !   I{  +   k{     {     {  b   {     #|  X   B|  2   |     |  I   |     '}  4   G}  1   |}  6   }  2   }  .   ~  #   G~  '   k~      ~  $   ~  i   ~     C  "   X  
   {             f     	        (     Ā  &   N  Q   u  
   ǁ  ;   ҁ  -     3   <     p  A     )     9     h   &  :     W   ʃ     "  *     
   Մ       B     '   4  N   \  >     :        %  2     [   چ     6  c   P  S     ;        D  '  F  U   n  $   ĉ  3     8     @   V  E     *  ݊  z               :     ?     0   0  4   a  S     O     F   :  -     @          8     7     C   #  W   g  
     @   ͐  d     *   s  2        ё  Y     [   J       ~   9  1     :     6   %  2   \  1             ה  
   ߔ       7     =   5  V   s  8   ʕ       ;     j   P  H     K        P  %   n  6     N   ˗       !   1  -   S       *     >   ˘  #   
  0   .     _  6   }  <     "     J     d   _  W   Ě  Y     :   v  F     E     4   >  3   s      D     
        
     !  -   7     e  0     K     J     @   L  .     6     9     M   -     {     U  1     7   ,  K   d  %     A   ֢  3     s   L  *     2     4     1   S          >  f     !   ]  7     M     g     S   m  .                0   1  +   b                           )     K   <  -     *     $     0     0   7  (   h  ;     @   ͪ       .     J          $   $  5   I  C     .   ì  )     _     "   |       .          %   j  2     8   î       }    _       h     h    P  i  ۶  j  E  T     4     ;   :  ~   v  C        9  I   O  
               "     C   ۻ  -     7   M  N        Լ       $             &  %   ;     a     p            ]        	  8        U     m       "        ξ       8     -   ?  1   m  3     *   ӿ  .     S   -       -     ;          D     
   a     l       %               -     	   "  '   ,  C   T  [     !     N                              $           0  r  /  #  p            w         r   {       i   c           N   _  @       ;    c   `     l  4  	  ?                     z         )  6  h                 f  V   %            R                                                        L   @     9            %  K            ^  |         :      o      V        ^       v      >                   U  j          u      i         
  ;              8         q      
   H                         P                        Y   ,                =      _      U                     5       T  C      '            6                     ]   B     /             -            [      \  .   
      9   a           !         F     -   w   e     2              y         }       B          m                ~      [  I     {  Q          W      3   "     J      z             8       O             P   (            D                                 d               X          7      O  k   l   S       ?  u  s  f             `  E  7                             m   +         L               0   p       d       v      $   Z     a   k                +             4   !                   g      h                  I  '       M          	   >      ,   Q      T               &  b  3  Y                        F  5  y   J      s          R          j             o      <   <              1       &   A         t       S               G   E   C      :          2     
           )     *     #   G      W          D  e  |  N       x     "             *          M  .     ]     (  A         n          K                 g         n      Z   =                           t   X                                         b   q     H             \       1  x             Candidate:    Installed:    Missing:    Mixed virtual packages:    Normal packages:    Pure virtual packages:    Single virtual packages:    Version table:  Done  [Installed]  [Not candidate version]  [Working]  failed.  or %i package can be upgraded. Run 'apt list --upgradable' to see it.
 %i packages can be upgraded. Run 'apt list --upgradable' to see them.
 %lu downgraded,  %lu not fully installed or removed.
 %lu package was automatically installed and is no longer required.
 %lu packages were automatically installed and are no longer required.
 %lu reinstalled,  %lu to remove and %lu not upgraded.
 %lu upgraded, %lu newly installed,  %s (due to %s) %s -> %s with priority %d
 %s can not be marked as it is not installed.
 %s does not take any arguments %s has no build depends.
 %s is already the newest version (%s).
 %s set on hold.
 %s set to automatically installed.
 %s set to manually installed.
 %s was already not on hold.
 %s was already set on hold.
 %s was already set to automatically installed.
 %s was already set to manually installed.
 (none) --fix-missing and media swapping is not currently supported --force-yes is deprecated, use one of the options starting with --allow instead. A proxy server was specified but no login script, Acquire::ftp::ProxyLogin is empty. A response overflowed the buffer. Abort. Aborting install. After this operation, %sB disk space will be freed.
 After this operation, %sB of additional disk space will be used.
 All packages are up to date. Arguments not in pairs At least one invalid signature was encountered. Authentication warning overridden.
 Automatically disabled %s due to incorrect response from server/proxy. (man 5 apt.conf) Bad default setting! Bad header data Bad header line Broken packages Build command '%s' failed.
 Cache is out of sync, can't x-ref a package file Can not find a package '%s' with release '%s' Can not find a package '%s' with version '%s' Can not find a package for architecture '%s' Can not find version '%s' of package '%s' Canceled hold on %s.
 Cannot initiate the connection to %s:%s (%s). Check if the 'dpkg-dev' package is installed.
 Clearsigned file isn't valid, got '%s' (does the network require authentication?) Configuration options and syntax is detailed in apt.conf(5).
Information about how to configure sources can be found in sources.list(5).
Package and version choices can be expressed via apt_preferences(5).
Security details are available in apt-secure(8).
 Configure build-dependencies for source packages Connected to %s (%s) Connecting to %s Connecting to %s (%s) Connection closed prematurely Connection failed Connection timed out Connection timeout Correcting dependencies... Could not bind a socket Could not connect data socket, connection timed out Could not connect passive socket. Could not connect to %s:%s (%s), connection timed out Could not connect to %s:%s (%s). Could not create a socket Could not create a socket for %s (f=%u t=%u p=%u) Could not determine the socket's name Could not execute 'apt-key' to verify signature (is gnupg installed?) Could not listen on the socket Could not resolve '%s' Couldn't determine free space in %s Couldn't find package %s Data socket connect timed out Data socket timed out Data transfer failed, server said '%s' Direct connection to %s domains is blocked by default. Disk not found. Distribution upgrade, see apt-get(8) Do you want to accept these changes and continue updating from this repository? Do you want to continue? Do you want to erase any previously downloaded .deb files? Download Failed Download and display the changelog for the given package Download complete and in download only mode Download source archives Download the binary package into the current directory EPRT failed, server said: %s Empty files can't be valid archives Erase downloaded archive files Erase old downloaded archive files Err:%lu %s Error reading from server Error reading from server. Remote end closed connection Error writing to file Essential packages were removed and -y was used without --allow-remove-essential. Executing dpkg failed. Are you root? Failed Failed to create IPC pipe to subprocess Failed to fetch %s  %s Failed to fetch some archives. Failed to mount '%s' to '%s' Failed to parse %s. Edit again?  Failed to process build dependencies Failed to set modification time Failed to stat Failed to stat %s Fetch source %s
 Fetched %sB in %s (%sB/s)
 File has unexpected size (%llu != %llu). Mirror sync in progress? File not found Follow dselect selections Full Text Search Get:%lu %s GetSrvRec failed for %s Held packages were changed and -y was used without --allow-change-held-packages. Hit:%lu %s Hmm, seems like the AutoRemover destroyed something which really
shouldn't happen. Please file a bug report against apt. How odd... The sizes didn't match, email apt@packages.debian.org However the following packages replace it: If you meant to use Tor remember to use %s instead of %s. Ign:%lu %s Install new packages (pkg is libc6 not libc6.deb) Install these packages without verification? Internal Error, AutoRemover broke stuff Internal error Internal error, InstallPackages was called with broken packages! Internal error, Ordering didn't finish Internal error, problem resolver broke stuff Internal error: Good signature, but could not determine key fingerprint?! Invalid URI, local URIS must not start with // Invalid operator '%c' at offset %d, did you mean '%c%c' or '%c='? - in: %s Key is stored in legacy trusted.gpg keyring (%s), see the DEPRECATION section in apt-key(8) for details. List the names of all packages in the system Listing Logging in Login script command '%s' failed, server said: %s Mark a package as held back Mark all dependencies of meta packages as automatically installed. Mark the given packages as automatically installed Mark the given packages as manually installed Media change: please insert the disc labeled
 '%s'
in the drive '%s' and press [Enter]
 Merging available information More information about this can be found online in the Release notes at: %s Most used commands: Must specify at least one package to check builddeps for Must specify at least one package to fetch source for Must specify at least one pair url/filename N NOTE: This is only a simulation!
      %s needs root privileges for real execution.
      Keep also in mind that locking is deactivated,
      so don't depend on the relevance to the real current situation!
 NOTICE: '%s' packaging is maintained in the '%s' version control system at:
%s
 Need one URL as argument Need to get %sB of archives.
 Need to get %sB of source archives.
 Need to get %sB/%sB of archives.
 Need to get %sB/%sB of source archives.
 No CD-ROM could be auto-detected or found using the default mount point.
You may try the --cdrom option to set the CD-ROM mount point.
See 'man apt-cdrom' for more information about the CD-ROM auto-detection and mount point. No architecture information available for %s. See apt.conf(5) APT::Architectures for setup No changes necessary No packages found Note, selecting '%s' for glob '%s'
 Note, selecting '%s' for regex '%s'
 Note, selecting '%s' for task '%s'
 Note, selecting '%s' instead of '%s'
 Note, using directory '%s' to get the build dependencies
 Note, using file '%s' to get the build dependencies
 Note: This is done automatically and on purpose by dpkg. PASS failed, server said: %s Package %s is a virtual package provided by:
 Package %s is not available, but is referred to by another package.
This may mean that the package is missing, has been obsoleted, or
is only available from another source
 Package %s version %s has an unmet dep:
 Package '%s' has no installation candidate Package '%s' is not installed, so not removed
 Package '%s' is not installed, so not removed. Did you mean '%s'?
 Package files: Packages need to be removed but remove is disabled. Packages were downgraded and -y was used without --allow-downgrades. Perform an upgrade Picking '%s' as source package instead of '%s'
 Pinned packages: Please insert a Disc in the drive and press [Enter] Please provide a name for this Disc, such as 'Debian 5.0.3 Disk 1' Please use apt-cdrom to make this CD-ROM recognized by APT. apt-get update cannot be used to add new CD-ROMs Please use:
%s
to retrieve the latest (possibly unreleased) updates to the package.
 Press [Enter] to continue. Print the list of automatically installed packages Print the list of manually installed packages Print the list of packages on hold Problem hashing file Protocol corruption Query Read error Recommended packages: Regex compilation error - %s Reinstall packages (pkg is libc6 not libc6.deb) Reinstallation of %s is not possible, it cannot be downloaded.
 Remove automatically all unused packages Remove packages Remove packages and config files Removing essential system-critical packages is not permitted. This might break the system. Repeat this process for the rest of the CDs in your set. Repository '%s' changed its '%s' value from '%s' to '%s' Retrieve new lists of packages Satisfy dependency strings Search the package list for a regex pattern See %s for more information about the available commands. Select failed Selected %s for installation.
 Selected %s for purge.
 Selected %s for removal.
 Selected version '%s' (%s) for '%s'
 Selected version '%s' (%s) for '%s' because of '%s'
 Server closed the connection Show a readable record for the package Show policy settings Show raw dependency information for a package Show reverse dependency information for a package Show source records Signature by key %s uses weak digest algorithm (%s) Signed file isn't valid, got '%s' (does the network require authentication?) Skipping %s, it is already installed and upgrade is not set.
 Skipping %s, it is not installed and only upgrades are requested.
 Skipping already downloaded file '%s'
 Skipping unpack of already unpacked source in %s
 Some errors occurred while unpacking. Packages that were installed Some files failed to download Some packages could not be authenticated Some packages could not be installed. This may mean that you have
requested an impossible situation or if you are using the unstable
distribution that some required packages have not yet been created
or been moved out of Incoming. Something wicked happened resolving '%s:%s' (%i - %s) Sorting Suggested packages: Supported modules: System error resolving '%s:%s' TYPE failed, server said: %s Temporary failure resolving '%s' The HTTP server sent an invalid Content-Length header The HTTP server sent an invalid Content-Range header The HTTP server sent an invalid reply header The following NEW packages will be installed: The following additional packages will be installed: The following held packages will be changed: The following information may help to resolve the situation: The following package disappeared from your system as
all files have been overwritten by other packages: The following packages disappeared from your system as
all files have been overwritten by other packages: The following package was automatically installed and is no longer required: The following packages were automatically installed and are no longer required: The following packages have been kept back: The following packages have unmet dependencies: The following packages will be DOWNGRADED: The following packages will be REMOVED: The following packages will be marked as automatically installed: The following packages will be upgraded: The following signatures couldn't be verified because the public key is not available:
 The following signatures were invalid:
 The list of sources could not be read. The server refused the connection and said: %s The update command takes no arguments There is %i additional record. Please use the '-a' switch to see it There are %i additional records. Please use the '-a' switch to see them. There is %i additional version. Please use the '-a' switch to see it There are %i additional versions. Please use the '-a' switch to see them. There were unauthenticated packages and -y was used without --allow-unauthenticated This APT has Super Cow Powers. This APT helper has Super Meep Powers. This HTTP server has broken range support This command is deprecated. Please use 'apt-mark auto' and 'apt-mark manual' instead. This command is deprecated. Please use 'apt-mark showauto' instead. Total Desc/File relations:  Total Provides mappings:  Total dependencies:  Total distinct descriptions:  Total distinct versions:  Total globbed strings:  Total package names:  Total package structures:  Total slack space:  Total space accounted for:  Total ver/file relations:  Trivial Only specified but this is not a trivial operation. USER failed, server said: %s Unable to accept connection Unable to connect to %s:%s: Unable to correct dependencies Unable to correct missing packages. Unable to determine the local name Unable to determine the peer name Unable to fetch file, server said '%s' Unable to fetch some archives, maybe run apt-get update or try with --fix-missing? Unable to find a source package for %s Unable to get build-dependency information for %s Unable to invoke  Unable to locate package %s Unable to lock the download directory Unable to minimize the upgrade set Unable to read the cdrom database %s Unable to send PORT command Unable to unmount the CD-ROM in %s, it may still be in use. Unknown address family %u (AF_*) Unknown date format Unknown error executing apt-key Unmet dependencies. Try 'apt --fix-broken install' with no packages (or specify a solution). Unpack command '%s' failed.
 Unset a package set as held back Unsupported file %s given on commandline Usage of %s should be preferred over embedding login information directly in the %s entry for '%s' Usage: apt [options] command

apt is a commandline package manager and provides commands for
searching and managing as well as querying information about packages.
It provides the same functionality as the specialized APT tools,
like apt-get and apt-cache, but enables options more suitable for
interactive use by default.
 Usage: apt-cache [options] command
       apt-cache [options] show pkg1 [pkg2 ...]

apt-cache queries and displays available information about installed
and installable packages. It works exclusively on the data acquired
into the local cache via the 'update' command of e.g. apt-get. The
displayed information may therefore be outdated if the last update was
too long ago, but in exchange apt-cache works independently of the
availability of the configured sources (e.g. offline).
 Usage: apt-cdrom [options] command

apt-cdrom is used to add CDROM's, USB flashdrives and other removable
media types as package sources to APT. The mount point and device
information is taken from apt.conf(5), udev(7) and fstab(5).
 Usage: apt-config [options] command

apt-config is an interface to the configuration settings used by
all APT tools, mainly intended for debugging and shell scripting.
 Usage: apt-get [options] command
       apt-get [options] install|remove pkg1 [pkg2 ...]
       apt-get [options] source pkg1 [pkg2 ...]

apt-get is a command line interface for retrieval of packages
and information about them from authenticated sources and
for installation, upgrade and removal of packages together
with their dependencies.
 Usage: apt-helper [options] command
       apt-helper [options] cat-file file ...
       apt-helper [options] download-file uri target-path

apt-helper bundles a variety of commands for shell scripts to use
e.g. the same proxy configuration or acquire system as APT would.
 Usage: apt-mark [options] {auto|manual} pkg1 [pkg2 ...]

apt-mark is a simple command line interface for marking packages
as manually or automatically installed. It can also be used to
manipulate the dpkg(1) selection states of packages, and to list
all packages with or without a certain marking.
 Use '%s' to remove it. Use '%s' to remove them. Verify that there are no broken dependencies Virtual packages like '%s' can't be removed
 WARNING: The following essential packages will be removed.
This should NOT be done unless you know exactly what you are doing! WARNING: The following packages cannot be authenticated! Waiting for headers We are not supposed to delete stuff, can't start AutoRemover Write error Wrong CD-ROM Y You don't have enough free space in %s. You might want to run 'apt --fix-broken install' to correct these. You must give at least one search pattern You should explicitly select one to install. Your '%s' file changed, please run 'apt-get update'.
 [IP: %s %s] [Y/n] [installed,auto-removable] [installed,automatic] [installed,local] [installed,upgradable to: %s] [installed] [residual-config] [upgradable from: %s] [y/N] above this message are important. Please fix them and run [I]nstall again analyse a pattern automatically remove all unused packages but %s is installed but %s is to be installed but it is a virtual package but it is not going to be installed but it is not installable but it is not installed concatenate files, with automatic decompression detect proxy using apt.conf download the given uri to the target-path drop privileges before running given command edit the source information file get configuration values via shell evaluation getaddrinfo was unable to get a listening socket install packages list packages based on package names lookup a SRV record (e.g. _http._tcp.ftp.debian.org) not a real package (virtual) or errors caused by missing dependencies. This is OK, only the errors phased reinstall packages remove packages satisfy dependency strings search in package descriptions show package details show the active configuration setting unknown update list of available packages upgrade the system by installing/upgrading packages upgrade the system by removing/installing/upgrading packages wait for system to be online will be configured. This may result in duplicate errors Project-Id-Version: apt 2.5.5
Report-Msgid-Bugs-To: APT Development Team <deity@lists.debian.org>
PO-Revision-Date: 2023-01-20 16:58+0100
Last-Translator: Helge Kreutzmann <debian@helgefjell.de>
Language-Team: German <debian-l10n-german@lists.debian.org>
Language: de
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=n != 1;
   Installationskandidat:    Installiert:    davon fehlend:    davon gemischte virtuelle Pakete:    davon gewöhnliche Pakete:    davon rein virtuelle Pakete:    davon einzelne virtuelle Pakete:    Versionstabelle:  Fertig  [Installiert]  [Nicht die Installationskandidat-Version]  [Wird verarbeitet]  fehlgeschlagen.  oder Aktualisierung für %i Paket verfügbar. Führen Sie »apt list --upgradable« aus, um es anzuzeigen.
 Aktualisierung für %i Pakete verfügbar. Führen Sie »apt list --upgradable« aus, um sie anzuzeigen.
 %lu durch eine ältere Version ersetzt,  %lu nicht vollständig installiert oder entfernt.
 %lu Paket wurde automatisch installiert und wird nicht mehr benötigt.
 %lu Pakete wurden automatisch installiert und werden nicht mehr benötigt.
 %lu erneut installiert,  %lu zu entfernen und %lu nicht aktualisiert.
 %lu aktualisiert, %lu neu installiert,  %s (wegen %s) %s -> %s mit Priorität %d
 Markierung für %s kann nicht gesetzt werden, da es nicht installiert ist.
 Der Befehl »%s« akzeptiert keine Argumente. %s hat keine Bauabhängigkeiten.
 %s ist schon die neueste Version (%s).
 %s auf Halten gesetzt.
 %s wurde als automatisch installiert festgelegt.
 %s wurde als manuell installiert festgelegt.
 Die Halten-Markierung für %s wurde bereits entfernt.
 %s wurde bereits auf Halten gesetzt.
 %s wurde bereits auf automatisch installiert gesetzt.
 %s wurde bereits auf manuell installiert gesetzt.
 (keine) --fix-missing und Wechselmedien werden derzeit nicht unterstützt. --force-yes ist veraltet, verwenden Sie stattdessen eine der Optionen, die mit --allow beginnen. Es war ein Proxy-Server angegeben, aber kein Login-Skript, Acquire::ftp::ProxyLogin ist leer. Durch eine Antwort wurde der Puffer zum Überlaufen gebracht. Abbruch. Installation abgebrochen. Nach dieser Operation werden %sB Plattenplatz freigegeben.
 Nach dieser Operation werden %sB Plattenplatz zusätzlich benutzt.
 Alle Pakete sind aktuell. Argumente nicht paarweise Mindestens eine ungültige Signatur wurde entdeckt. Authentifizierungswarnung überstimmt.
 Funktion %s aufgrund inkorrekter Antwort vom Server/Proxy automatisch deaktiviert. Näheres unter apt.conf(5). Fehlerhafte Voreinstellung! Fehlerhafte Kopfzeilendaten Ungültige Kopfzeile Beschädigte Pakete Build-Befehl »%s« fehlgeschlagen.
 Zwischenspeicher ist nicht synchron, Querverweisen einer Paketdatei nicht möglich Es kann kein Paket »%s« in der Veröffentlichung »%s« gefunden werden Es kann kein Paket »%s« mit Version »%s« gefunden werden Es kann kein Paket für Architektur »%s« gefunden werden Es kann keine Version »%s« des Pakets »%s« gefunden werden Halten-Markierung für %s entfernt.
 Verbindung mit %s:%s kann nicht aufgebaut werden (%s). Überprüfen Sie, ob das Paket »dpkg-dev« installiert ist.
 Durch Clearsign signierte Datei ist nicht gültig, »%s« erhalten (erfordert das Netzwerk eine Authentifizierung?) Konfigurationsoptionen und Syntax sind in apt.conf(5) detailliert beschrieben.
Informationen dazu, wie Quellen konfiguriert werden, finden Sie in sources.
list(5).
Paket- und Versionsauswahlen können über apt_preferences(5) festgelegt werden.
Details zu Sicherheitsbelangen sind in apt-secure(8) zu finden.
 Bauabhängigkeiten für Quellpakete konfigurieren Verbunden mit %s (%s) Verbindung mit %s Verbindung mit %s (%s) Verbindung vorzeitig beendet Verbindung fehlgeschlagen Zeitüberschreitung bei Verbindung Zeitüberschreitung der Verbindung Abhängigkeiten werden korrigiert … Verbindung des Sockets nicht möglich Daten-Socket konnte wegen Zeitüberschreitung nicht verbunden werden. Passiver Socket konnte nicht verbunden werden. Verbindung mit %s:%s konnte nicht aufgebaut werden (%s), Zeitüberschreitung aufgetreten Verbindung mit %s:%s nicht möglich (%s) Socket konnte nicht erzeugt werden. Socket für %s konnte nicht erzeugt werden (f=%u t=%u p=%u). Name des Sockets konnte nicht bestimmt werden. »apt-key« konnte zur Überprüfung der Signatur nicht ausgeführt werden (ist gnupg installiert?) Warten auf Verbindungen auf dem Socket nicht möglich »%s« konnte nicht aufgelöst werden. Freier Platz in %s konnte nicht bestimmt werden. Paket %s konnte nicht gefunden werden Zeitüberschreitung bei Datenverbindungsaufbau Zeitüberschreitung bei Datenverbindung Datenübertragung fehlgeschlagen; Server meldet: »%s« Direkte Verbindung zu %s-Domains wird standardmäßig blockiert. Medium nicht gefunden Upgrade (Paketaktualisierung) für die komplette Distribution durchführen, siehe apt-get(8) Möchten Sie diese Änderungen übernehmen und mit der Aktualisierung von diesem Depot fortfahren? Möchten Sie fortfahren? Möchten Sie alle bisher heruntergeladenen .deb-Dateien löschen? Herunterladen fehlgeschlagen Änderungsprotokoll für das angegebene Paket herunterladen und anzeigen Herunterladen abgeschlossen; Nur-Herunterladen-Modus aktiv Quellarchive herunterladen das Binärpaket in das aktuelle Verzeichnis herunterladen Befehl EPRT fehlgeschlagen: %s Leere Dateien können kein gültiges Archiv sein. heruntergeladene Archive löschen veraltete heruntergeladene Archive löschen Fehl:%lu %s Fehler beim Lesen vom Server Fehler beim Lesen vom Server: Verbindung wurde durch den Server auf der anderen Seite geschlossen. Fehler beim Schreiben in Datei Essentielle Pakete wurden entfernt und -y wurde ohne --allow-remove-essential verwendet. Ausführen von dpkg fehlgeschlagen. Sind Sie root? Fehlgeschlagen Interprozesskommunikation mit Unterprozess konnte nicht aufgebaut werden. Fehlschlag beim Holen von %s %s Einige Archive konnten nicht heruntergeladen werden. »%s« konnte nicht in »%s« eingebunden werden. Verarbeitung von %s fehlgeschlagen. Erneut bearbeiten? Verarbeitung der Bauabhängigkeiten fehlgeschlagen Änderungszeitpunkt kann nicht gesetzt werden. Abfrage mit »stat« fehlgeschlagen %s mit »stat« abfragen fehlgeschlagen Quelle %s wird heruntergeladen.
 Es wurden %sB in %s geholt (%sB/s).
 Datei hat eine unerwartete Größe (%llu != %llu). Eventuell läuft gerade eine Spiegel-Synchronisierung? Datei nicht gefunden der Auswahl von »dselect« folgen Volltextsuche Holen:%lu %s GetSrvRec für %s fehlgeschlagen Der Status gehaltener Pakete wurde geändert und -y wurde ohne --allow-change-held-packages verwendet. OK:%lu %s Hmm, es sieht so aus, als ob der AutoRemover etwas beschädigt hat, was
wirklich nicht geschehen sollte. Bitte erstellen Sie einen Fehlerbericht
über apt. Wie merkwürdig … die Größen haben nicht übereingestimmt; schreiben Sie eine E-Mail an apt@packages.debian.org (auf Englisch bitte). Doch die folgenden Pakete ersetzen es: Falls Sie Tor verwenden wollten, denken Sie daran, %s anstatt von %s zu benutzen. Ign:%lu %s neue Pakete installieren (paket ist libc6, nicht libc6.deb) Diese Pakete ohne Überprüfung installieren? Interner Fehler, AutoRemover hat etwas beschädigt. Interner Fehler Interner Fehler, InstallPackages mit defekten Paketen aufgerufen! Interner Fehler, Anordnung beendete nicht Interner Fehler, der Problemlöser hat etwas beschädigt. Interner Fehler: Gültige Signatur, Fingerabdruck des Schlüssels konnte jedoch nicht ermittelt werden?! Ungültige URI, lokale URIs dürfen nicht mit // beginnen. Ungültiger Operator »%c« bei Versatz %d, meinten Sie »%c%c« oder »%c=«? - in: %s Schlüssel ist im veralteten Schlüsselbund trusted.gpg gespeichert (%s), siehe den Abschnitt MISSBILLIGUNG in apt-key(8) für Details. die Namen aller Pakete im System auflisten Auflistung Anmeldung läuft Befehl »%s« des Login-Skriptes fehlgeschlagen, Server meldet: %s ein Paket als zurückgehalten markieren alle Abhängigkeiten von Metapaketen als »Automatisch installiert« markieren das angegebene Paket als »Automatisch installiert« markieren das angegebene Paket als »Manuell installiert« markieren Medienwechsel: Bitte legen Sie das Medium mit dem Namen
»%s«
in Laufwerk »%s« ein und drücken Sie die Eingabetaste [Enter].
 Verfügbare Informationen werden zusammengeführt. Weitere Informationen hierzu finden Sie online in den Veröffentlichungshinweisen unter %s. Meist verwendete Befehle: Es muss mindestens ein Paket angegeben werden, dessen Bauabhängigkeiten überprüft werden sollen. Es muss mindestens ein Paket angegeben werden, dessen Quellen geholt werden sollen. Es muss mindestens ein URL/Dateinamen-Paar angegeben werden N HINWEIS: Dies ist nur eine Simulation!
         %s benötigt root-Privilegien für die reale Ausführung.
         Behalten Sie ebenfalls in Hinterkopf, dass die Sperren deaktiviert
         sind, verlassen Sie sich also bezüglich des reellen aktuellen
         Status der Sperre nicht darauf!
 HINWEIS: »%s«-Paketierung wird betreut im »%s«-Versionsverwaltungssystem auf:
%s
 Eine URL als Argument wird benötigt Es müssen %sB an Archiven heruntergeladen werden.
 Es müssen %sB an Quellarchiven heruntergeladen werden.
 Es müssen noch %sB von %sB an Archiven heruntergeladen werden.
 Es müssen noch %sB von %sB an Quellarchiven heruntergeladen werden.
 Über den Standard-Einbindungspunkt konnte automatisch keine CD-ROM erkannt werden.
Sie könnten die Option --cdrom ausprobieren, um den Einbindungspunkt der CD-ROM festzulegen.
Weitere Informationen über automatische Erkennung von CD-ROMs und Einbindungspunkte
bekommen Sie mit »man apt-cdrom«. Keine Architekturinformation für %s verfügbar. Weiteres zur Einrichtung finden Sie unter apt.conf(5) APT::Architectures. Keine Änderungen notwendig Keine Pakete gefunden Hinweis: »%s« wird für das Suchmuster »%s« gewählt.
 Hinweis: »%s« wird für regulären Ausdruck »%s« gewählt.
 Hinweis: »%s« wird für Task »%s« gewählt.
 Hinweis: »%s« wird an Stelle von »%s« gewählt.
 Hinweis: Verzeichnis »%s« wird verwendet, um die Bauabhängigkeiten zu bekommen.
 Hinweis: Datei »%s« wird verwendet, um die Paketabhängigkeiten zu bekommen.
 Hinweis: Dies wird automatisch und absichtlich von dpkg durchgeführt. Befehl PASS fehlgeschlagen, Server meldet: %s Paket %s ist ein virtuelles Paket, das bereitgestellt wird von:
 Paket %s ist nicht verfügbar, wird aber von einem anderen Paket
referenziert. Das kann heißen, dass das Paket fehlt, dass es abgelöst
wurde oder nur aus einer anderen Quelle verfügbar ist.
 Paket %s Version %s hat eine unerfüllte Abhängigkeit:
 Für Paket »%s« existiert kein Installationskandidat. Paket »%s« ist nicht installiert, wird also auch nicht entfernt.
 Paket »%s« ist nicht installiert, wird also auch nicht entfernt. Meinten Sie »%s«?
 Paketdateien: Pakete müssen entfernt werden, aber Entfernen ist abgeschaltet. Für einige Pakete wurde ein Downgrade durchgeführt und -y wurde ohne --allow-downgrades verwendet. Upgrade (Paketaktualisierung) durchführen Als Quellpaket wird »%s« statt »%s« gewählt.
 Mit Pinning verwaltete Pakete: Bitte legen Sie ein Medium in das Laufwerk ein und drücken Sie die Eingabetaste [Enter]. Bitte geben Sie einen Namen für dieses Medium an, wie zum Beispiel »Debian 5.0.3 Disk 1« Bitte verwenden Sie apt-cdrom, um APT diese CD-ROM bekannt zu machen. apt-get update kann nicht dazu verwendet werden, neue CD-ROMs hinzuzufügen. Bitte verwenden Sie:
%s
um die neuesten (möglicherweise noch unveröffentlichten) Aktualisierungen
für das Paket abzurufen.
 Zum Fortfahren die Eingabetaste [Enter] drücken. eine Liste aller automatisch installierten Pakete anzeigen eine Liste aller manuell installierten Pakete anzeigen eine Liste aller zurückgehaltenen Pakete anzeigen Problem bei Bestimmung des Hashwertes einer Datei Protokoll beschädigt Abfrage Lesefehler Empfohlene Pakete: Fehler beim Kompilieren eines regulären Ausdrucks - %s Pakete erneut installieren (paket ist libc6, nicht libc6.deb) Erneute Installation von %s ist nicht möglich,
es kann nicht heruntergeladen werden.
 alle nicht mehr verwendeten Pakete automatisch entfernen Pakete entfernen Pakete vollständig entfernen (inkl. Konfigurationsdateien) Das Entfernen essenzieller, system-kritischer Pakete ist nicht erlaubt. Dies kann das System beschädigen. Wiederholen Sie dieses Prozedere für die restlichen Disks Ihres Satzes. Für das Depot »%s« wurde der »%s«-Wert von »%s« in »%s« geändert. neue Paketinformationen holen Abhängigkeitszeichenketten erfüllen die Paketliste mittels regulärem Ausdruck durchsuchen Lesen Sie %s bezüglich weiterer Informationen über die verfügbaren Befehle. Auswahl fehlgeschlagen %s zur Installation vorgewählt.
 %s zum vollständigen Entfernen vorgewählt.
 %s zum Entfernen vorgewählt.
 Version »%s« (%s) für »%s« gewählt.
 Version »%s« (%s) für »%s« gewählt aufgrund von »%s«.
 Verbindung durch Server geschlossen einen lesbaren Datensatz für das Paket ausgeben Policy-Einstellungen ausgeben rohe Abhängigkeitsinformationen eines Pakets ausgeben umgekehrte Abhängigkeitsinformationen eines Pakets ausgeben Aufzeichnungen zu Quellen ausgeben Signatur von Schlüssel %s verwendet einen schwachen Hash-Algorithmus (%s) Signierte Datei ist nicht gültig, »%s« erhalten. (Erfordert das Netzwerk eine Authentifizierung?) %s wird übersprungen; es ist schon installiert und ein Upgrade ist nicht angefordert.
 %s wird übersprungen; es ist nicht installiert und lediglich Upgrades sind angefordert.
 Bereits heruntergeladene Datei »%s« wird übersprungen.
 Das Entpacken der bereits entpackten Quelle in %s wird übersprungen.
 Einige Fehler traten während des Entpackens auf. Installierte Pakete Einige Dateien konnten nicht heruntergeladen werden. Einige Pakete konnten nicht authentifiziert werden. Einige Pakete konnten nicht installiert werden. Das kann bedeuten, dass
Sie eine unmögliche Situation angefordert haben oder, wenn Sie die
Unstable-Distribution verwenden, dass einige erforderliche Pakete noch
nicht erstellt wurden oder Incoming noch nicht verlassen haben. Beim Auflösen von »%s:%s« ist etwas Schlimmes passiert (%i - %s). Sortierung Vorgeschlagene Pakete: Unterstützte Module: Systemfehler bei der Auflösung von »%s:%s« Befehl TYPE fehlgeschlagen: %s Temporärer Fehlschlag beim Auflösen von »%s« Vom HTTP-Server wurde eine ungültige »Content-Length«-Kopfzeile gesandt. Vom HTTP-Server wurde eine ungültige »Content-Range«-Kopfzeile gesandt. Vom HTTP-Server wurde eine ungültige Antwort-Kopfzeile gesandt. Die folgenden NEUEN Pakete werden installiert: Die folgenden zusätzlichen Pakete werden installiert: Die folgenden zurückgehaltenen Pakete werden verändert: Die folgenden Informationen helfen Ihnen vielleicht, die Situation zu lösen: Das folgende Paket verschwand von Ihrem System, da alle
Dateien von anderen Paketen überschrieben wurden: Die folgenden Pakete verschwanden von Ihrem System, da alle
Dateien von anderen Paketen überschrieben wurden: Das folgende Paket wurde automatisch installiert und wird nicht mehr benötigt: Die folgenden Pakete wurden automatisch installiert und werden nicht mehr benötigt: Die folgenden Pakete sind zurückgehalten worden: Die folgenden Pakete haben unerfüllte Abhängigkeiten: Die folgenden Pakete werden durch eine ÄLTERE VERSION ERSETZT (Downgrade): Die folgenden Pakete werden ENTFERNT: Die folgenden Pakete werden als automatisch installiert markiert: Die folgenden Pakete werden aktualisiert (Upgrade): Die folgenden Signaturen konnten nicht überprüft werden, weil ihr öffentlicher
Schlüssel nicht verfügbar ist:
 Die folgenden Signaturen waren ungültig:
 Die Liste der Quellen konnte nicht gelesen werden. Verbindung durch Server abgelehnt; Server meldet: %s Der Befehl »update« akzeptiert keine Argumente. Es gibt %i zusätzlichen Eintrag. Bitte verwenden Sie die Option »-a«, um ihn anzuzeigen. Es gibt %i zusätzliche Einträge. Bitte verwenden Sie die Option »-a«, um sie anzuzeigen. Es gibt %i zusätzliche Version. Bitte verwenden Sie die Option »-a«, um sie anzuzeigen. Es gibt %i zusätzliche Versionen. Bitte verwenden Sie die Option »-a«, um sie anzuzeigen. Der Befehl betrifft nicht-authentifizierte Pakete und -y wurde ohne --allow-unauthenticated verwendet. Dieses APT hat Super-Kuh-Kräfte. Dieses APT-Hilfsprogramm hat Super-Road-Runner-Kräfte. Teilweise Dateiübertragung wird vom HTTP-Server nur fehlerhaft unterstützt. Dieser Befehl ist überholt. Bitte verwenden Sie stattdessen »apt-mark auto« und »apt-mark manual«. Dieser Befehl ist überholt. Bitte verwenden Sie stattdessen »apt-mark showauto«. Gesamtzahl an Beschreibung/Datei-Beziehungen:  Gesamtzahl an Bereitstellungen:  Gesamtzahl an Abhängigkeiten:  Gesamtzahl an unterschiedlichen Beschreibungen:  Gesamtzahl an unterschiedlichen Versionen:  Gesamtzahl an Mustern:  Gesamtzahl an Paketnamen:  Gesamtzahl an Paketstrukturen:  Gesamtmenge an Slack:  Gesamtmenge an Speicher:  Gesamtzahl an Version/Datei-Beziehungen:  »--trivial-only« wurde angegeben, aber dies ist keine triviale Operation. Befehl USER fehlgeschlagen, Server meldet: %s Verbindung konnte nicht angenommen werden. Verbindung mit %s:%s nicht möglich: Abhängigkeiten konnten nicht korrigiert werden. Fehlende Pakete konnten nicht korrigiert werden. Lokaler Name kann nicht bestimmt werden. Name des Kommunikationspartners kann nicht bestimmt werden. Datei konnte nicht heruntergeladen werden; Server meldet: »%s« Einige Archive konnten nicht heruntergeladen werden; vielleicht »apt-get update« ausführen oder mit »--fix-missing« probieren? Quellpaket für %s kann nicht gefunden werden. Informationen zu Bauabhängigkeiten für %s konnten nicht gefunden werden. Aufruf nicht möglich:  Paket %s kann nicht gefunden werden. Das Downloadverzeichnis konnte nicht gesperrt werden. Menge der zu aktualisierenden Pakete konnte nicht minimiert werden. CD-ROM-Datenbank %s kann nicht gelesen werden. PORT-Befehl konnte nicht gesendet werden. Einbindung von CD-ROM in %s kann nicht gelöst werden, möglicherweise wird sie noch verwendet. Unbekannte Adressfamilie %u (AF_*) Unbekanntes Datumsformat Unbekannter Fehler beim Ausführen von apt-key Unerfüllte Abhängigkeiten. Versuchen Sie »apt --fix-broken install« ohne Angabe eines Pakets (oder geben Sie eine Lösung an). Entpackbefehl »%s« fehlgeschlagen.
 ein Paket als nicht mehr zurückgehalten markieren Nicht unterstützte Datei %s auf Befehlszeile angegeben. Die Verwendung von %s sollte gegenüber der Methode bevorzugt werden, Login-Informationen direkt in den %s-Abschnitt für »%s« einzutragen. Aufruf: apt [Optionen] befehl

apt ist ein Paketmanager für die Befehlszeile und bietet Befehle für die
Suche und Verwaltung von Paketen sowie für die Abfrage von Informationen
zu diesen Paketen.
Es stellt die gleiche Funktionalität zur Verfügung wie die spezialisierten
APT-Werkzeuge apt-get und apt-cache, aber seine Optionen sind eher passend
für die interaktive Nutzung.
 Aufruf: apt-cache [Optionen] befehl
        apt-cache [Optionen] show paket1 [paket2 …]

apt-cache ermöglicht die Abfrage und Anzeige verfügbarer Informationen über
installierte und installierbare Pakete. Es arbeitet ausschließlich mit den
Daten, die über den »update«-Befehl in den lokalen Zwischenspeicher geladen
wurden, z.B. durch apt-get. Die angezeigten Informationen können daher
veraltet sein, wenn der letzte Aktualisierungsvorgang schon länger her ist,
aber dafür funktioniert es unabhängig von der Verfügbarkeit der konfigurierten
Paketquellen (z.B. kann es auch offline arbeiten).
 Aufruf: apt-cdrom [Optionen] befehl

apt-cdrom wird verwendet, um CD-ROMs, USB-Speicher und andere Wechselmedien
als Paketquelle für APT hinzuzufügen. Der Einbindungspunkt und andere
Informationen werden aus apt.conf(5), udev(7) und fstab(5) ermittelt.
 Aufruf: apt-config [Optionen] befehl

apt-config ist eine Schnittstelle zu den Konfigurationseinstellungen, die von
den APT-Werkzeugen verwendet werden; es ist hauptsächlich für Fehlersuche
und Shell-Skript-Verarbeitung gedacht.
 Aufruf: apt-get [Optionen] befehl
        apt-get [Optionen] install|remove paket1 [paket2 …]
        apt-get [Optionen] source paket1 [paket2 …]

apt-get ist ein Befehlszeilenwerkzeug zum Herunterladen von Paketen (und
Informationen zu diesen Paketen) von authentifizierten Paketquellen sowie
für deren Installation, Aktualisierung und Entfernung zusammen mit ihren
Paketabhängigkeiten.
 Aufruf: apt-helper [Optionen] befehl
        apt-helper [Optionen] cat-file datei …
        apt-helper [Optionen] download-file URI Zielpfad

apt-helper vereint eine Vielzahl von Befehlen zur Shell-Skript-Verarbeitung,
um z.B. die gleiche Proxy-Konfiguration oder das gleiche Acquire-System (zum
Herunterladen von Paketen) zu benutzen, wie APT es tun würde.
 Aufruf: apt-mark [Optionen] {auto|manual} paket1 [paket2 …]

apt-mark ist ein einfaches Befehlszeilenprogramm, um Pakete als manuell oder
automatisch installiert zu markieren. Es kann auch verwendet werden, um den
von dpkg(1) gesetzten Auswahlstatus von Paketen zu verändern oder alle Pakete
aufzulisten, die eine bestimmte Markierung haben oder nicht haben.
 Verwenden Sie »%s«, um es zu entfernen. Verwenden Sie »%s«, um sie zu entfernen. überprüfen, ob es unerfüllte Abhängigkeiten gibt Virtuelle Pakete wie »%s« können nicht entfernt werden.
 WARNUNG: Die folgenden essentiellen Pakete werden entfernt.
Dies sollte NICHT geschehen, außer Sie wissen genau, was Sie tun! WARNUNG: Die folgenden Pakete können nicht authentifiziert werden! Warten auf Kopfzeilen Es soll nichts gelöscht werden, AutoRemover kann nicht gestartet werden. Schreibfehler Falsche CD-ROM J Sie haben nicht genug Platz in %s. Probieren Sie »apt --fix-broken install«, um dies zu korrigieren. Sie müssen mindestens ein Suchmuster angeben Sie sollten eines explizit zum Installieren auswählen. Ihre »%s«-Datei wurde verändert, bitte führen Sie »apt-get update« aus.
 [IP: %s %s] [J/n] [installiert,automatisch-entfernbar]  [Installiert,automatisch]  [Installiert,lokal]  [Installiert,aktualisierbar auf: %s]  [installiert] [Konfiguration-verbleibend] [aktualisierbar von: %s] [j/N] oberhalb dieser Meldung sind wichtig. Bitte beseitigen Sie sie und [I]nstallieren Sie erneut. Muster analysieren alle nicht mehr verwendeten Pakete automatisch entfernen aber %s ist installiert aber %s soll installiert werden ist aber ein virtuelles Paket soll aber nicht installiert werden ist aber nicht installierbar ist aber nicht installiert verketten von Dateien, mit automatischer Dekomprimierung erkennen eines Proxy-Servers mittels apt.conf den angegebenen URI in den Zielpfad herunterladen Privilegien vor der Ausführung des Befehls abgeben die Datei für die Paketquellen bearbeiten Konfigurationswerte per Shell-Auswertung laden Von der Funktion getaddrinfo wurde kein auf Verbindungen wartender Socket gefunden. Pakete installieren Pakete basierend auf dem Paketnamen auflisten einen SRV-Eintrag abfragen (z.B. _http._tcp.ftp.debian.org) kein reales Paket (virtuell) fehlende Abhängigkeiten führen. Das ist in Ordnung, nur die Fehler gestaffelt Pakete erneut installieren Pakete entfernen Abhängigkeitszeichenketten erfüllen Paketbeschreibungen durchsuchen Paketdetails anzeigen die aktive Konfigurationseinstellung anzeigen unbekannt Liste verfügbarer Pakete aktualisieren das System durch Installation/Aktualisierung der Pakete hochrüsten das System durch Entfernung/Installation/Aktualisierung der Pakete vollständig hochrüsten warten, bis das System online ist werden konfiguriert. Dies kann zu doppelten Fehlermeldungen oder Fehlern durch                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          \
        
     
                             :     V     g  
   m     x            $          $     #             %     ?  ;   F  T     !                     /   )  #   Y     }                      0     -     .   =  0   l                              	          7  3   O  !     5                1     %   H     n       #                    &        <  $   L  +   q                 "     
           7   :     r       '               $             2     A     S     d            
     
     @     *     
   *  1   5     g  @   v  &     ,     I     .   U  ,     
     1          8     5   E     {  $     !     (        	       -   8     f  (        <  3   K            l              %      9   
   ?      J      `   ?   }         8         !  +   %!  
   Q!     _!  &   |!     !  -   !  1   !     "  =   ,"  &   j"  1   "     "  (   "     
#     #     $     $      5$  5   V$  4   $  ,   $  -   $  ,   %  <   I%  +   %  /   %  *   %  '   
&  (   5&  W   ^&  '   &  &   &  .   '  %   4'     Z'  )   y'     '     '     '     '     (     (     .(     J(  ;   e(     (     (     (  #   (  "   )  !   @)  &   b)  R   )  &   )  1   *     5*     G*  %   c*  "   *  $   *     *  ;   *      )+     J+     ^+  \   ~+     +  ,   +  ~   %,  8   ,     ,     ,     ,     
-  '   -  B   4-  ,   w-     -  I   -     -     .     (.  #   D.     h.     .  0   .  E   .    /     0  9   0  1   41  m   f1  E   1  R   2  U   m2  1   2     2  !   3  6   63     m3  <   }3     3  T   ^4     4     <5     5  g   5     e6     }6  ,  K7     x8  $   9  K   '9  Z   s9     9  d   :  m   :  K   _;  Q   ;  N   ;  z   L<    <  s   =     N>    >  &   ?  +   @  ~   G@  N   @  H   A  -   ^A  Q   A  K   A     *B  ]   B  j   6C  8   C     C     eD  x   D  E   vE  @   E  &   E  D   $F  |   iF  K   F     2G  <   G     H     H     dI     I     J     WK  "   (L  `   KL     L  Q   tM  6   M     M  ^   N     GO     O     P  l   EQ  q   Q  3   $R  V   XR  <   R     R     vS     S     S     mT  %   U     DU  -   U  *  V     EW     W  )  X     Y     Z  3   L[     [  x   V\     \     ]  [   d^  |   ^  n   =_     _  9   .`     h`     `    a  }   md  C   d    /e     8f  a   f  *  g  ~   Hi  F   i     j  !   -j  g   Oj  X   j     k  v   k     hl     \m     n  N   n     Do     o     p     q     q     r  +  Cs     ot     u     u  u   v  Z  v  d   Uz  a   z  u   {     {     |     |     }     ~     ,            |   !  p     z            
  h   '                    l       y   ߇  4   Y  m     g     R   d  R     s   
  u   ~            Z   q  u   ̌     B  o     u   g  q   ݎ  d  O          D  9     _   '          '     Ǔ  o   N      Z     B     s   `  N  Ԗ  n   #         M     Κ  Z   u  $   Л  =        3  x   @               I  }  U  h   ӟ  n   <       ~   4  }     f   1       `                                    T   P         [      3       m   ;         ]                #              d                x       V   =   K          .           z      D       e         -   !                 i          ~      5       >         ?      (              6      2              o   v                                 C       S   N   8      l               {      E   <   f                 X   b      O                             H              A         ,   J   L   a      /           $   u          G           9          w             %      r          g          W                                                
          
      Z                 :          U             y      @                 1              *      &   q                           R   '   M      `   t      F      	           Y   \      p      n      Q                0   "   7   k   )          }   ^            c      s              4          I          B             |                h   _   +   j                                   Candidate:    Installed:    Missing:    Mixed virtual packages:    Normal packages:    Pure virtual packages:    Single virtual packages:    Version table:  Done  [Working]  failed.  or %lu downgraded,  %lu not fully installed or removed.
 %lu reinstalled,  %lu to remove and %lu not upgraded.
 %lu upgraded, %lu newly installed,  %s (due to %s) %s has no build depends.
 (none) --fix-missing and media swapping is not currently supported A proxy server was specified but no login script, Acquire::ftp::ProxyLogin is empty. A response overflowed the buffer. Abort. Aborting install. Arguments not in pairs At least one invalid signature was encountered. Authentication warning overridden.
 Bad default setting! Bad header data Bad header line Broken packages Build command '%s' failed.
 Cache is out of sync, can't x-ref a package file Cannot initiate the connection to %s:%s (%s). Check if the 'dpkg-dev' package is installed.
 Configure build-dependencies for source packages Connecting to %s Connecting to %s (%s) Connection closed prematurely Connection failed Connection timed out Connection timeout Correcting dependencies... Could not bind a socket Could not connect data socket, connection timed out Could not connect passive socket. Could not connect to %s:%s (%s), connection timed out Could not connect to %s:%s (%s). Could not create a socket Could not create a socket for %s (f=%u t=%u p=%u) Could not determine the socket's name Could not listen on the socket Could not resolve '%s' Couldn't determine free space in %s Couldn't find package %s Data socket connect timed out Data socket timed out Data transfer failed, server said '%s' Disk not found. Distribution upgrade, see apt-get(8) Download complete and in download only mode Download source archives EPRT failed, server said: %s Erase downloaded archive files Erase old downloaded archive files Err:%lu %s Error reading from server Error reading from server. Remote end closed connection Error writing to file Failed Failed to create IPC pipe to subprocess Failed to fetch %s  %s Failed to fetch some archives. Failed to process build dependencies Failed to set modification time Failed to stat Failed to stat %s Fetch source %s
 Fetched %sB in %s (%sB/s)
 File not found Follow dselect selections Get:%lu %s Hit:%lu %s How odd... The sizes didn't match, email apt@packages.debian.org However the following packages replace it: Ign:%lu %s Install new packages (pkg is libc6 not libc6.deb) Internal error Internal error, InstallPackages was called with broken packages! Internal error, Ordering didn't finish Internal error, problem resolver broke stuff Internal error: Good signature, but could not determine key fingerprint?! Invalid URI, local URIS must not start with // List the names of all packages in the system Logging in Login script command '%s' failed, server said: %s Merging available information Must specify at least one package to check builddeps for Must specify at least one package to fetch source for Need to get %sB of archives.
 Need to get %sB of source archives.
 Need to get %sB/%sB of archives.
 Need to get %sB/%sB of source archives.
 No packages found PASS failed, server said: %s Package %s is a virtual package provided by:
 Package %s is not available, but is referred to by another package.
This may mean that the package is missing, has been obsoleted, or
is only available from another source
 Package %s version %s has an unmet dep:
 Package files: Packages need to be removed but remove is disabled. Perform an upgrade Pinned packages: Please use apt-cdrom to make this CD-ROM recognized by APT. apt-get update cannot be used to add new CD-ROMs Problem hashing file Protocol corruption Query Read error Recommended packages: Regex compilation error - %s Reinstallation of %s is not possible, it cannot be downloaded.
 Remove packages Repeat this process for the rest of the CDs in your set. Retrieve new lists of packages Search the package list for a regex pattern Select failed Server closed the connection Show a readable record for the package Show policy settings Show raw dependency information for a package Show reverse dependency information for a package Show source records Skipping %s, it is already installed and upgrade is not set.
 Skipping already downloaded file '%s'
 Skipping unpack of already unpacked source in %s
 Some files failed to download Some packages could not be authenticated Some packages could not be installed. This may mean that you have
requested an impossible situation or if you are using the unstable
distribution that some required packages have not yet been created
or been moved out of Incoming. Suggested packages: Supported modules: TYPE failed, server said: %s Temporary failure resolving '%s' The HTTP server sent an invalid Content-Length header The HTTP server sent an invalid Content-Range header The HTTP server sent an invalid reply header The following NEW packages will be installed: The following held packages will be changed: The following information may help to resolve the situation: The following packages have been kept back: The following packages have unmet dependencies: The following packages will be DOWNGRADED: The following packages will be REMOVED: The following packages will be upgraded: The following signatures couldn't be verified because the public key is not available:
 The following signatures were invalid:
 The list of sources could not be read. The server refused the connection and said: %s The update command takes no arguments This APT has Super Cow Powers. This HTTP server has broken range support Total Provides mappings:  Total dependencies:  Total distinct versions:  Total globbed strings:  Total package names:  Total slack space:  Total space accounted for:  Total ver/file relations:  Trivial Only specified but this is not a trivial operation. USER failed, server said: %s Unable to accept connection Unable to correct dependencies Unable to correct missing packages. Unable to determine the local name Unable to determine the peer name Unable to fetch file, server said '%s' Unable to fetch some archives, maybe run apt-get update or try with --fix-missing? Unable to find a source package for %s Unable to get build-dependency information for %s Unable to invoke  Unable to locate package %s Unable to lock the download directory Unable to minimize the upgrade set Unable to read the cdrom database %s Unable to send PORT command Unable to unmount the CD-ROM in %s, it may still be in use. Unknown address family %u (AF_*) Unknown date format Unknown error executing apt-key Unmet dependencies. Try 'apt --fix-broken install' with no packages (or specify a solution). Unpack command '%s' failed.
 Verify that there are no broken dependencies WARNING: The following essential packages will be removed.
This should NOT be done unless you know exactly what you are doing! WARNING: The following packages cannot be authenticated! Waiting for headers Write error Wrong CD-ROM Y You don't have enough free space in %s. You might want to run 'apt --fix-broken install' to correct these. You should explicitly select one to install. [IP: %s %s] above this message are important. Please fix them and run [I]nstall again but %s is installed but %s is to be installed but it is a virtual package but it is not going to be installed but it is not installable but it is not installed getaddrinfo was unable to get a listening socket or errors caused by missing dependencies. This is OK, only the errors Project-Id-Version: apt 1.0.5
Report-Msgid-Bugs-To: APT Development Team <deity@lists.debian.org>
PO-Revision-Date: 2006-09-19 09:49+0530
Last-Translator: Kinley Tshering <gasepkuenden2k3@hotmail.com>
Language-Team: Dzongkha <pgeyleg@dit.gov.bt>
Language: dz
MIME-Version: 1.0
Content-Type: text/plain; charset=utf-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2;plural=(n!=1)
X-Poedit-Language: Dzongkha
X-Poedit-Country: Bhutan
X-Poedit-SourceCharset: utf-8
 མི་ངོ: གཞི་བཙུགས་འབད་ཡོདཔ། བརླག་སྟོར་ཞུགས་པ: བར་ཅུ་ཡལ་ཐུམ་སྒྲིལ་སླ་བསྲེ་ཡོད་མི་ཚུ: སྤྱིར་བཏང་ཐུམ་སྒྲིལ་ཚུ། བར་ཅུ་ཡལ་ཐུམ་སྒྲིལ་གཙང་མ་ཚུ: བར་ཅུ་ཡལ་ཐུམ་སྒྲིལ་རྐྱང་པ་ཚུ: ཐོན་རིམ་ཐིག་ཁྲམ།: འབད་ཚར་ཡི།  [ལཱ་འབད་དོ།] འཐུས་ཤོར་བྱུང་ཡོད། ཡང་ན། %lu་འདི་མར་ཕབ་འབད་ཡོད། %lu་འདི་ཆ་ཚང་སྦེ་གཞི་བཙུགས་མ་འབད་ཡང་ན་རྩ་བསྐྲད་མ་གཏང་པས།
 %lu་འདི་ལོག་གཞི་བཙུགས་འབད་ཡོད། རྩ་བསྐྲད་འབད་ནི་ལུ་%lu་དང་%lu་ཡར་བསྐྱེད་མ་འབད་བས།
 %lu་ཡར་བསྐྱེད་འབད་ཡོད་ %lu་འདི་གསརཔ་སྦེ་གཞི་བཙུགས་འབད་ཡོད། %s( %s་གིས་སྦེ) %s ལུ་བཟོ་བརྩིགས་རྟེན་འབྲེལ་མིན་འདུག
 (ཅི་མེད།) --fix-missing་དང་བརྡ་ལམ་བརྗེ་སོར་འབད་ནི་འདི་ད་ལྟོ་ལས་རང་རྒྱབ་སྐྱོར་མི་འབད་བས། པོརོ་སི་སར་བར་ཅིག་གསལ་བཀོད་འབད་ཡོད་འདི་འབདཝ་ད་  ནང་བསྐྱོད་ཡིག་ཚུགས་མིན་འདུག་ Acquire::ftp::ProxyLoginའདི་སྟོངམ་ཨིན་པས། ལན་གྱིས་ གནད་ཁོངས་གུར་ལས་ ལུད་སོང་སྟེ་ཡོདཔ་ཨིན། བར་བཤོལ་འབད། གཞི་བཙུགས་བར་བཤོལ་འབད་དོ། སྒྲུབས་རྟགས་ཚུ་ཟུང་ནང་མིན་འདུག ཉུང་མཐའ་རང་ནུས་མེད་ཀྱི་མིང་རྟགས་ཅིག་གདོང་ཐུག་བྱུང་སྟེ་ཡོདཔ་ཨིན། བདེན་བཤད་ཉེན་བརྡ་འདི་ཟུར་འབད་ཡོད།
 སྔོན་སྒྲིག་བྱང་ཉེས་གཞི་སྒྲིག་འབད་དོ་! མགོ་ཡིག་གནད་སྡུད་བྱང་ཉེས། མགོ་ཡིག་གི་གྲལ་ཐིག་བྱང་ཉེས། ཆད་པ་ཡོད་པའི་ཐུམ་སྒྲིལ་ཚུ། '%s'་བཟོ་བརྩིགས་བརྡ་བཀོད་འཐུས་ཤོར་བྱུང་ཡོད།
 འདྲ་མཛོད་འདི་མཉམ་བྱུང་གི་ཕྱི་ཁར་ཨིན་པས་  ཐུམ་སྒྲིལ་ཡིག་སྣོད་ཅིག་ལུ་ ཨེགསི་-རེཕ་འབད་མི་ཚུགས་པས། %s:%s (%s)ལུ་མཐུད་ལམ་དེ་འགོ་འབྱེད་འབད་མ་ཚུགས། 'dpkg-dev'་ཐུམ་སྒྲིལ་དེ་གཞི་བཙུགས་འབད་ཡོད་པ་ཅིན་ཨེབ་གཏང་འབད།
 འདི་གིས་འབྱུང་ཁུངས་ཐུམ་སྒྲིལ་ཚུ་གི་དོན་ལུ་བཟོ་བརྩིགས་-རྟེན་འབྲེལ་ཚུ་རིམ་སྒྲིག་འབདཝ་ཨིན། %s་ལུ་མཐུད་དོ། %s (%s)་ལུ་མཐུད་དོ། དུས་སུ་མ་འབབ་པ་རང་མཐུད་ལམ་འདི་ག་བསྡམས་ཡོད། བཐུད་ལམ་འཐུས་ཤོར་བྱུང་ཡོད། མཐུད་ལམ་ངལ་མཚམས་འབད་ཡོད། མཐུད་ལམ་ངལ་མཚམས རྟེན་འབྲེལ་ནོར་བཅོས་འབད་དོ། སོ་ཀེཊི་ཅིག་བསྡམས་མ་ཚུགས། གནད་སྡུད་སོ་ཀེཊི་མཐུད་མ་ཚུགས་པར་ཡོདཔ་ཨིན་  མཐུད་ལམ་ངལ་མཚམས། བྱ་ཡུལ་གྱི་སོ་ཀེཊི་མཐུད་མ་ཚུགས།  %s:%s (%s)ལུ་མཐུད་མ་ཚུགས་  མཐུད་ལམ་ངལ་མཚམས།  %s:%s (%s)ལུ་མཐུད་མ་ཚུགས། སོ་ཀེཊི་ཅིག་གསར་བསྐྲུན་འབད་མ་ཚུགས་པར་ཡོདཔ་ཨིན། %s (f=%u t=%u p=%u)གི་དོན་ལུ་སོ་ཀེཊི་ཅིག་གསར་བསྐྲུན་འབད་མ་ཚུགས། སོ་ཀེཊི་གི་མིང་འདི་གཏན་འབེབས་བཟོ་མ་ཚུགས། སོ་ཀེཊི་གུར་ཉེན་མ་ཚུགས། '%s'མོས་མཐུན་འབད་མ་ཚུགས། %s་ནང་བར་སྟོང་ %s་ཐུམ་སྒྲིལ་འཚོལ་མ་ཐོབ། གནད་སྡུད་སོ་ཀེཊི་ མཐུད་ནི་ངལ་མཚམས་བྱུང་ནུག གནད་སྡུད་སོ་ཀེཊི་ངལ་མཚམས། གནད་སྡུད་གནས་སོར་དེ་འཐུས་ཤོར་བྱུང་ཡོད་  སར་བར་'%s'་གིས་སླབ་མས། ཌིཀསི་དེ་འཚོལ་མ་ཐོབ། འདི་གིས་ བགོ་བཀྲམ་འདི་ཡར་བསྐྱེད་འབདཝ་ཨིན། apt-get(8)ལུ་བལྟ། ཕབ་ལེན་ཐབས་ལམ་རྐྱངམ་གཅིག་ནང་མཇུག་བསྡུཝ་སྦེ་རང་ཕབ་ལེན་འབད། འདི་གིས་འབྱུང་ཁུངས་ཀྱི་ཡིག་མཛོད་ཚུ་ཕབ་ལེན་འབདཝ་ཨིན། ཨི་པི་ཨར་ཊི་ འཐུས་ཤོར་བྱུང་ཡོད་  སར་བར་གིས་སླབ་མས:%s འདི་གིས་ ཕབ་ལེན་འབད་ཡོད་པའི་ཡིག་མཛོད་ཀྱི་ཡིག་སྣོད་ཚུ་ཀྲེག་གཏངམ་ཨིན། འདི་གིས་ ཕབ་ལེན་འབད་འབདཝ་རྙིངམ་གྱི་ཡིག་མཛོད་ཡིག་སྣོད་ཚུ་ཀྲེག་གཏངམ་ཨིན། ཨི་ཨར་ཨར།:%lu %s སར་བར་ནང་ལས་ལྷག་པའི་བསྒང་འཛོལ་བ། སར་བར་ནང་ལས་ལྷག་པའི་བསྒང་འཛོལ་བ། ཐག་རིང་མཇུག་གི་མཐུད་ལམ་དེ་ཁ་བསྡམས། ཡིག་སྣོད་ལུ་འབྲིཝ་ད་འཛོལ་བ། འཐུས་ཤོར་བྱུང་ཡོད། ཡན་ལག་ལས་སྦྱོར་ལུ་ཨའི་པི་སི་རྒྱུད་དུང་གསར་བསྐྲུན་འབད་ནི་ལུ་འཐུས་ཤོར་བྱུང་ཡོདཔ། %s  %s་ ལེན་ནི་ལུ་འཐུས་ཤོར་བྱུང་ཡོད། ཡིག་མཛོད་ལ་ལུ་ཅིག་ལེན་ནི་ལུ་འཐུས་ཤོར་བྱུང་ཡོད། བཟོ་བརྩིགས་རྟེན་འབྲེལ་འདི་ལས་སྦྱོར་འབད་ནི་ལུ་འཐུས་ཤོར་བྱུང་ཡོདཔ་ཨིན། ཆུ་ཚོད་ལེགས་བཅོས་གཞི་སྒྲིག་འབཐ་ནི་ལུ་འཐུས་ཤོར་བྱུང་ཡོད། ངོ་བཤུས་འབད་ནི་ལུ་འཐུས་ཤོར་བྱུང་ཡོད། %s་སིཊེཊི་འབད་ནི་ལུ་འཐུས་ཤོར་བྱུང་ཡོདཔ། %s་འབྱུང་ཁུངས་ལེན།
 %s (%sB/s)་ནང་ལུ་%sB་དེ་ལེན་ཡོདཔ་ཨིན།
 ཡིག་སྣོད་འཚོལ་མ་ཐོབ། འདི་གིས་ སེལ་འཐུ་བཤོལ་གྱི་ སེལ་འཐུ་ཚུ་འབདཝ་ཨིན། ལེན:%lu %s ཨེབ།:%lu %s ག་ཅི་གི་ཡ་མཚན་ཆེ་མི་ཆེ་  ཚད་འདི་གིས་ email apt@packages.debian.org་ལུ་མཐུན་སྒྲིག་མི་འབད་བས། ག་དེ་སྦེ་ཨིན་རུང་འོག་གི་ཐུམ་སྒྲིལ་ཚུ་གིས་ འདི་ཚབ་བཙུགསཔ་ཨིན: ཨེལ་ཇི་ཨེན:%lu %s འདི་གིས་ ཐུམ་སྒྲིལ་(pkg is libc6 not libc6.deb)གསརཔ་་ཚུ་གཞི་བཙུགས་འབདཝ་ཨིན། ནང་འཁོད་འཛོལ་བ། ནང་འཁོད་ཀྱི་འཛོལ་བ་  གཞི་བཙུགས་ཐུམ་སྒྲིལ་ཚུ་ ཆད་པ་ཡོད་པའི་ཐུམ་སྒྲིལ་ཚུ་དང་གཅིག་ཁར་བོད་བརྡ་འབད་འདི་ཡོད! ནང་འཁོད་འཛོལ་བ་  གོ་རིམ་བཟོ་ནི་ཚུ་མཇུག་མ་བསྡུ་བས། ནང་འཁོད་འཛོལ་བ་ དཀའ་ངལ་མོས་མཐུན་འབད་མི་ཅ་ཆས་ཚུ་མེདཔ་ཐལ་ཡོད། ནང་འཁོད་འཛོལ་བ: མིང་རྟགས་འདི་ལེགས་ཤོམ་ཅིག་འདུག་  འདི་འབདཝ་ད་མཛུབ་རྗེས་ལྡེ་མིག་དེ་གཏན་འབེབས་བཟོ་མ་ཚུགས?! ཡུ་ཨར་ཨེལ་ ནུས་མེད་  ཉེ་གནས་ ཡུ་ཨར་ཨེལ་ཨེསི་འདི་གིས་//་དང་གཅིག་ཁར་འགོ་བཙུགས་ནི་མི་འོང་། འདི་གིས་ཐུམ་སྒྲིལ་ཚུ་ཆ་མཉམ་གི་མིང་ཚུ་ཐོ་བཀོད་འབདཝ་ཨིན། ནང་བསྐྱོད་འབད་དོ། ནང་བསྐྱོད་ཡིག་ཚུགས་ བརྡ་བཀོད་'%s'་འདི་འཐོས་ཤོར་བྱུང་ཡོད་ སར་བར་གྱིས་སླབ་མས:%s འཐོབ་ཚུགས་པའི་བརྡ་དོན་མཉམ་བསྡོམས་འབད་དོ། builddeps ཞིབ་དཔྱད་འབད་ནིའི་དོན་ལུ་ཉུང་མཐའ་རང་ཐུམ་སྒྲིལ་གཅིག་གསལ་བཀོད་འབད་དགོ གི་དོན་ལུ་འབྱུང་ཁུངས་ལེན་ནི་ལུ་ཉུང་མཐའ་རང་ཐུམ་སྒྲིལ་གཅིག་ལེན་དགོ ཡིག་མཛོད་ཀྱི་%sB་འདི་ལེན་དགོ་པས།
 འབྱུང་ཁུངས་ཡིག་མཛོད་ཚུ་ཀྱི་%sB་ལེན་དགོ་པསས།
 %sBལེན་ནི་ལུ་དགོཔ་པས། ཡིག་མཛོད་ཚི་གི་%sB་
 %sB་ལེན་དགོཔ་འདུག་  འབྱུང་ཁུངས་ཡིག་མཛོད་ཀྱི་%sB།
 ཐུམ་སྒྲིལ་ཚུ་མ་ཐོབ། རྩི་སྤྲོད་འཐུས་ཤོར་བྱུང་ཡོད་  སར་བར་གྱིས་སླབ་མས་: %s གྱིས་བྱིན་ཏེ་ཡོད་པའི་ཐུམ་སྒྲིལ་%s་འདི་བར་ཅུ་ཡལ་ཐུམ་སྒྲིལ་ཅིག་ཨིན།
 ཐུམ་སྒྲིལ་%s་འདི་འཐོབ་མི་ཚུགས་པས་ འདི་འབདཝ་ད་ཐུམ་སྒྲིལ་གཞན་ཅིག་གིས་གྲོས་བསྟུན་འབད་དེ་ཡོད།
འདི་གིས་ཐུམ་སྒྲིལ་ཅིག་བརླག་སྟོར་ཞུགས་ཡོདཔ་ཨིནམ་སྟོནམ་ཨིནམ་དང་ ཕན་མེད་སྦེ་གནས་ཡོདཔ་  ཡང་ན་
འདི་གཞན་འབྱུང་ཅིག་ནང་ལས་ལས་རྐྱངམ་ཅིག་འཐོབ་ཚུགསཔ་ཨིན་པས།
 ཐུམ་སྒྲིལ་ %s ཐོན་རིམ་ %s ལུ་ ཌེཔ་མ་ཚང་ཅིག་འདུག:
 ཐུམ་སྒྲིལ་གྱི་ཡིག་སྣོད: ཐུམ་སྒྲིལ་ཚུ་རྩ་བསྐྲད་བཏང་དགོཔ་འདུག་འདི་འབདགཝ་ད་རྩ་བསྐྲད་གཏང་ནི་འདི་ལྕོགས་མིན་ཐལ་ཏེ་འདུག འདི་གིས་ ཡར་བསྐྱེད་ཀྱི་ལཱ་འགན་ཅིག་འགྲུབ་ཨིན། ཁབ་གཟེར་བཏབ་ཡོད་པའི་ཐུམ་སྒྲིལ་ཚུ: འ་ནི་སི་ཌི་-རོམ་འདི་ཨེ་པི་ཊི་་གིས་ ངོས་འཛིན་འབད་ཚུགསཔ་སྦེ་བཟོ་ནིའི་་དོན་ལུ་ ཨེ་པི་ཊི་-སི་ཌི་རོམ་ལག་ལེན་འཐབ་གནང། apt-get་དུས་མཐུན་བཟོ་ནི་དེ་ སི་ཌི་-རོམས་གསརཔ་ཁ་སྐོང་རྐྱབ་ནི་ལུ་ལག་ལེན་འཐབ་མི་བཏུབ། ཡིག་སྣོད་ལུ་་དྲྭ་རྟགས་བཀལ་བའི་བསྒང་དཀའ་ངལ། གནད་སྤེལ་ལམ་ལུགས་ ངན་ཅན། འདྲི་དཔྱད། འཛོལ་བ་ལྷབ། འོས་སྦྱོར་འབད་ཡོད་པའི་ཐུམ་སྒྲིལ་ཚུ: རི་ཇེགསི་ཕྱོགས་སྒྲིག་འཛོལ་བ་- %s %s ་ལོག་གཞི་བཙུགས་འབད་ནི་འདི་མི་སྲིད་པ་ཅིག་ཨིན་པས་ འདི་ཕབ་ལེན་འབད་མི་བཏུབ་པས།
 འདི་གིས་ ཐུམ་སྒྲིལ་ཚུ་རྩ་བསྐྲད་གཏངམ་ཨིན། ཁྱོད་ཀྱི་ཆ་ཚན་ནང་གི་སི་ཌི་ལྷག་ལུས་ཡོད་མི་གི་དོན་ལུ་འ་ནི་ལས་སྦྱོར་དེ་ཡང་བསྐྱར་འབད། འདི་གིས་ཐུམ་སྒྲིལ་ཚུ་གི་ཐོ་ཡིག་གསརཔ་ཚུ་སླར་འདྲེན་འབདཝ་ཨིན། འདི་གིས་ རི་ཇེགསི་དཔེ་གཞི་ཅིག་གི་དོན་ལུ་ ཐུམ་སྒྲིལ་ཐོ་ཡིག་དེ་འཚོལ་ཞིབ་འབདཝ་ཨིན། སེལ་འཐུ་འཐུས་ཤོར་བྱུང་ཡོད། སར་བར་གྱིས་མཐུད་ལམ་འདི་ཁ་བསྡམས་ཏེ་ཡོདཔ་ཨིན། འདི་གིས་ཐུམ་སྒྲིལ་གི་དོན་ལུ་ ལྷག་བཏུབ་པའི་དྲན་ཐོ་ཅིག་སྟོནམ་ཨིན། འདི་གིས་ སྲིད་བྱུས་སྒྲིག་སྟངས་ཚུ་སྟོནམ་ཨིན། འདི་གིས་ཐུམ་སྒྲིལ་གི་དོན་ལུ་ རགས་པ་རྟེན་འབྲེལ་གྱི་བརྡ་དོན་ཅིག་ སྟོནམ་ཨིན། འདི་གིས་ ཐུམ་སྒྲིལ་ཅིག་གི་དོན་ལུ་ རིམ་ལོག་རྟེན་འབྲེལ་གྱི་བརྡ་དོན་དེ་སྟོནམ་ཨིན། འདི་གིས་འབྱུང་ཁུངས་ཀྱི་དྲན་ཐོ་ཚུ་སྟོནམ་ཨིན། %s་གོམ་འགྱོ་འབད་དོ་  འདི་ཧེ་མ་ལས་རང་གཞི་བཙུགས་འབད་འོདཔ་དང་དུས་ཡར་བསྐྱེད་འབད་ནི་འདི་གཞི་སྒྲིག་མ་འབད་བས།
 གོམ་འགྱོ་གིས་ཧེ་མ་ལས་རང་'%s'་ཡིག་སྣོད་དེ་ཕབ་ལེན་འབད་ནུག
 %s་ནང་ཧེ་མ་ལས་སྦུང་ཚན་བཟོ་བཤོལ་ཨིན་མའི་སྦུང་ཚན་བཟོ་བཤོལ་གོམ་འགྱོ་འབད་དོ།
 ཡིག་སྣོད་ལ་ལུ་ཅིག་ཕབ་ལེན་འབད་ནི་ལུ་འཐུས་ཤོར་བྱུང་ཡོད། ཐུམ་སྒྲིལ་ལ་ལུ་ཅིག་བདེན་བཤད་འབད་མ་ཚུགས། ཐུམ་སྒྲིལ་ལ་ལུ་ཅིག་གཞི་བཙུགས་འབད་མ་ཚུགས། འ་ནི་གི་དོན་དག་དེ་ཁྱོད་ཀྱི་ མི་སྲིད་པའི་དུས་སྐབས་ཅིག་ཞུ་བ་འབད་འབདཝ་འོང་ནི་མས་ ཡང་ན་ད་ལྟོ་ཡང་གསར་བསྐྲུན་མ་འབད་བར་ཡོད་པའི་ཐུམ་སྒྲིལ་ལ་ལུ་ཅིག་ཡང་ན་ནང་འབྱོར་གྱི་ཕྱི་ཁར་རྩ་བསྐྲད་བཏང་ཡོད་པའི་རྩ་བརྟན་མེད་པའི་བགོ་འགྲེམ་ཚུ་ལག་ལེན་འཐབ་དོ་ཡོདཔ་འོང་ནི་ཨིན་པས། བསམ་འཆར་བཀོད་ཡོད་པའི་ཐུམ་སྒྲིལ་ཚུ: རྒྱབ་སྐྱོར་འབད་ཡོད་པའི་ཚད་གཞི་ཚུ: ཡིག་དཔར་རྐྱབ་མ་བཏུབ་སར་བར་གྱིས་སླབ་མས། %s '%s'མོས་མཐུན་འབད་ནི་ལུ་གནས་སྐབས་ཀྱི་འཐུས་ཤོར། ཨེཆི་ཊི་ཊི་པི་སར་བར་འདི་གིས་ནུས་མེད་ནང་དོན་རིང་-ཚད་ཀྱི་མགོ་ཡིག་ཅིག་བཏང་ཡོད། ཨེཆི་ཊི་ཊི་པི་ སར་བར་འདི་གིས་ ནུས་མེད་ ནང་དོན་-ཁྱབ་ཚད་ཀྱི་མགོ་ཡིག་ཅིག་བཏང་ཡོད། ཨེཆི་ཊི་ཊི་པི་ སར་བར་འདི་གིས་ནུས་མེད་ལན་གསལ་གི་མགོ་ཡིག་ཅིག་བཏང་ཡོད། འོག་གི་ཐུམ་སྒྲིས་གསརཔ་འདི་ཚུ་ཁཞི་བཙུགས་འབད་འོང་: འོག་གི་འཆང་ཡོད་པའི་ཐུམ་སྒྲིལ་ཚུ་བསྒྱུར་བཅོས་འབད་འོང་: འོག་གི་བརྡ་དོན་དེ་གིས་དུས་སྐབས་འདི་མོས་མཐུན་བཟོ་ནི་ལུ་གྲོགས་རམ་འབད་འོང་: འོག་གི་ཐུམ་སྒྲིལ་འདི་ཚུ་ལོག་སྟེ་རང་བཞག་ནུག: འོག་གི་ཐུམ་སྒྲིལ་ཚུ་ལུ་རྟེན་འབྲེལ་མ་ཚང་པས: འོག་གི་ཐུམ་སྒྲལ་འདི་ཚུ་མར་ཕབ་འབད་འོང་: འོག་གི་ཐུམ་སྒྲིལ་འདི་ཚུ་རྩ བསྐྲད་གཏང་འོང་: འོག་གི་ཐུམ་སྒྲིལ་འདི་ཚུ་ཡར་བསྐྱེད་འབད་འོང་: འོག་གི་མིང་རྟགས་ཚུ་བདེན་སྦྱོར་་འབད་མ་ཚུགས་ག་ཅི་སྦེ་ཟེར་བ་ཅིན་མི་དམང་ལྡེ་མིག་དེ་འཐོབ་མི་ཚུགས་པས:
 འོག་གི་མིང་རྟགས་ཚུ་ནུས་མེད་ཨིན་པས།:
 འབྱུང་ཁུངས་ཚུ་ཀྱི་ཐོ་ཡིག་དེ་ལྷག་མི་ཚུགས་པས། སར་བར་འདི་གིས་ མཐུད་ལམ་འདི་ངོས་ལེན་འབད་མ་བཏུབ་པར་སླབ་མས: %s དུས་མཐུན་བཟོ་བའི་བརྡ་བཀོད་འདི་གིས་སྒྲུབ་རྟགས་ཚུ་མི་འབག་འབད། འ་ནི་ ཨེ་ཊི་པི་འདི་ལུ་ཡང་དག་ ཀའུ་ ནུས་ཤུགས་ཚུ་ཡོད། འ་ནི་ ཨེཆི་ཊི་ཊི་པི་ སར་བར་འདི་གིས་ ཁྱབ་ཚད་ཀྱི་རྒྱབ་སྐྱོར་དེ་ཆད་པ་བཟོ་བཏང་ནུག ཡོངས་བསྡོམས་ཀྱིས་ས་ཁྲ་བཟོ་བ་ཚུ་བྱིནམ་ཨིན: རྟེན་འབྲེལ་བསྡོམས: ཁྱད་རྟགས་ཅན་གྱི་ཐོན་རིམ་ཚུ་གི་བསྡོམས: སྤུངས་ཡོད་པའི་ཡིག་རྒྱུན་གྱི་བསྡོམས: ཐུམ་སྒྲིལ་བསྡོམས་ཀྱི་མིང་ཚུ: བར་སྟོང་ལྷུག་ལྷུག་གི་བསྡོམས: གི་དོན་ལུ་རྩིས་ཐོ་བཏོན་ཡོད་པའི་བར་སྟོང: ཐེན་རིམ་/ཡིག་སྣོད་ མཐུན་འབྲེལ་གྱི་བསྡོམས: གལ་ཆུང་རྐྱངམ་ཅིག་ཁསལ་བཀོད་འབད་ནུག་ འདི་འབདཝ་ད་འ་ནི་འདི་གལ་ཆུང་གི་བཀོལ་སྤྱོད་མེན། ལག་ལེན་པ་འཐུས་ཤོར་བྱུང་ཡོད་  སར་བར་གྱིས་སླབ་མས་: %s མཐུད་ལམ་འདི་དང་ལེན་འབད་མ་ཚུགས། རྟེན་འབྲེལ་འདི་ནོར་བཅོས་འབད་མི་ཚུགས་པས། བརླག་སྟོར་ཞུགས་ཡོད་པའི་ཐུམ་སྒྲིལ་ཚུ་ནོར་བཅོས་འབད་མི་ཚུགས་པས། ཉེ་གནས་མིང་འདི་གཏན་འབེེབས་བཟོ་མ་ཚུགས། དོ་བཉམ་གི་མིང་འདི་གཏན་འབེབས་བཟོ་མ་ཚུགས། ཡིག་སྣོད་ལེན་མ་ཚུགས་ སར་བར་'%s'གིས་སླབ་མས ཡིག་མཛོད་ལ་ལུ་ཅིག་ལེན་མི་ཚུགས་པས་  apt-get་དུས་མཐུན་བཟོ་ནི་གཡོག་བཀོལ་ནི་ཨིན་ན་ཡང་ན་--fix-missing་དང་གཅིག་ཁར་འབད་རྩོལ་བསྐྱེད་ནི་ཨིན་ན་? %s་གི་དོན་ལུ་འབྱུང་ཁུངས་ཐུམ་སྒྲིལ་ཅིག་འཚོལ་མ་འཐོབ %s་གི་དོན་ལུ་བཟོ་བརྩིགས་-རྟེན་འབྲེལ་བརྡ་དོན་དེ་ལེན་མ་ཚུགས། ལས་བཀོལ་འབད་མ་ཚུགས། %sཐུམ་སྒྲིལ་འདི་ག་ཡོད་ཟཚོལ་མ་ཐོབ། ཕབ་ལེན་འབད་ནིའི་སྣོད་ཡིག་འདི་ལྡེ་མིག་རྐྱབས་མ་ཚུགས་པས། ཡར་བསྐྱེད་འབད་ཡོད་པའི་ཆ་ཚན་འདི་ཆུང་ཀུ་བཟོ་མི་ཚུགས་པས། སི་ཌི་རོམ་གནད་སྡུད་གཞི་རྟེན་%s་འདི་ལྷག་མ་ཚུགས། འདྲེན་ལམ་གྱི་བརྡ་བཀོད་འདི་བཏང་མ་ཚུགས། %s་ནང་་སི་ཌི་-རོམ་འདི་བརྩེགས་བཤོལ་འབད་མ་ཚུགས་ འདི་ད་ལྟོ་ཡང་ལག་ལེན་འཐབ་སྟེ་ཡོདཔ་འོང་ནི་མས། མ་ཤེས་པའི་ཁ་བྱང་གི་རིགས་ཚན་%u (AF_*) མ་ཤེས་པའི་ཚེས་རྩ་སྒྲིག apt-key་ལག་ལེན་འཐབ་ནི་ལུ་མ་ཤེས་པའི་འཛོལ་བ་། མ་ཚང་བའི་རྟེན་འབྲེལ་  ཐུས་སྒྲིལ་མེད་མི་ཚུ་དང་གཅིག་ཁར་ 'apt --fix-broken install'དེ་འབཐ་རྩོལ་བསྐྱེདཔ།(ཡང་ན་ཐབས་ཤེས་ཅིག་གསལ་བཀོད་འབད།) '%s'སྦུང་ཚན་བཟོ་བཤོལ་འཐུས་ཤོར་བྱུང་ཡོད།
 ཆད་པ་འགྱོ་འགྱོ་བའི་རྟེན་འབྲེལ་ཚུ་མེདཔ་སྦེ་བདེན་སྦྱོར་འབདཝ་ཨིན། ཉེན་བརྡ:འོག་གི་ཉོ་མཁོ་བའི་ཐུམ་སྒྲིལ་ཚུ་རྩ་བསྐྲད་གཏང་འོང་།
ཁྱོད་ཀྱིས་ཁྱོད་རང་ག་ཅི་འབདཝ་ཨིན་ན་ངེས་སྦེ་མ་ཤེས་ཚུན་འདི་འབད་ནི་མི་འོང་།! ཉེན་བརྡ:འོག་གི་ཐུམ་སྒྲིལ་འདི་ཚུ་བདེན་བཤད་འབད་མི་བཏུབ་པས། མགོ་ཡིག་ཚུ་གི་དོན་ལུ་བསྒ྄ག་དོ། འཛོལ་བ་འབྲི། སི་དི་-རོམ་ཕྱི་འགྱུར། ཝའི། %s ནང་ཁྱོད་ལུ་བར་སྟོང་དལཝ་ལངམ་སྦེ་མིན་འདུག འ་ནི་འདི་ཚུ་ནོར་བཅོས་འབད་ནི་ལུ་ཁྱོད་ཀྱི་'apt --fix-broken install'དེ་གཡོག་བཀོལ་དགོཔ་འོང་། ཁྱོད་ཀྱི་གཞི་བཙུགས་འབད་ནི་ལུ་གཏན་འཁལ་སྦེ་གཅིག་སེལ་འཐུ་འབད་དགོ [IP: %s %s] འ་ནི་འཕྲིན་དོན་གྱི་ལྟག་ལས་ཡོད་པའི་འཛོལ་བ་དེ་ཚུ་གལ་ཅན་ཅིག་ཨིན། འདི་ཚུ་གི་དཀའ་ངལ་སེལ་བཞིནམ་ལས་ [I] གཞི་བཙུགས་དེ་ལོག་སྟེ་རང་གཡོག་བཀོལ། འདི་འབདཝ་ད་%s་འདི་གཞི་བཙུགས་འབད་ཡོད། འདི་འབདཝ་ད་%sའདི་གཞི་བཙུགས་འབད་ནི་ཨིན། འདི་འབདཝ་ད་ འདི་བར་ཅུ་ཡལ་ཐུམ་སྒྲིལ་ཅིག་ཨིན་པས། འདི་འབདཝ་ད་འདི་གཞི་བཙུགས་མི་འབད་ནི་ཨིན་པས། འདི་འབདཝ་ད་%s་འདི་གཟི་བཙུགས་འབད་མི་བཏུབ་པས། འདི་འབདཝ་ད་འདི་གཞི་བཙུགས་མ་འབད་བས། getaddrinfo་འདི་གིས་ཉན་ནིའི་སོ་ཀེཊི་ཅིག་ལེན་མ་ཚུགས། ཡང་ན་བརླག་སྟོར་ཞུགས་ཡོད་པའི་རྟེན་འབྲེལ་གི་རྒྱུ་རྐྱེན་ལས་བརྟེན་པའི་འཛོལ་བ་ཚུ་ནང་ལུ་གྲུབ་འབྲས་འཐོན་འོང་། འདི་དེ་བཏུབ་པས་                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        M     
            
     
        
          4     H     b     ~                 
                       ^  $   o            $   1  #   V     z       -               '        3  #   D     h            /     *           ;   #   P   _   T      !   !     '!     .!  4   @!  A   u!     !     !  /   !  #   "     ?"     T"     d"     t"     "  0   "  -   "  -   "  ,   -#  )   Z#     #  -   #  .   #  0   #     ($     =$     N$     d$     $     $     $     $     $  3   $  !   #%  5   E%      {%     %  1   %  %   %  E   &     T&     s&  #   &     &     &     &  &   &     "'  $   2'     W'  :   p'     '  8   '  +   '      (  6   9(     p(     (  "   (  
   (     (  7   (     ,)  Q   B)  $   )     )  '   )     )     )     *      ;*  $   \*     *     *     *     *     *     *     *     +  
   (+     3+  P   K+  
   +  x   +  @    ,  *   a,  
   ,  1   ,  ,   ,  '   ,     -  @   --  &   n-  ,   -  I   -  .   .  ,   ;.     h.  
   p.  1   {.  B   .  2   .  -   #/  W   Q/     /     /  8   /  5   0  +   J0     v0     x0     0  $   0  !   0  (   0     1  #   11  $   U1  #   z1  %   1  4   1  8   1     22  -   O2     }2  (   *3  *   S3  .   ~3  B   3     3  3   3  D   34     x4  /   4     4  3   4  B    5  l   C5     5  2   5  -   5  "   ,6     O6     d6     x6  
   ~6     6     6  /   6  ?   6  (   ,7     U7      e7  8   7     7     7  +   7  9   %8  
   _8     m8     8  $   8  4   8      9  &   9     D9  -   Y9  1   9     9  =   9  B   :  &   N:  1   u:  B   :     :  (   ;     1;  5   <     N<     V<     j<     }<     <      <  5   <  4   =  ,   E=  -   r=  4   =  ,   =  <   >     ?>  +   >  /   ?  *   8?  '   c?  A   ?  (   ?  W   ?  '   N@  &   v@  .   @  %   @  S   @  )   FA  C   pA     A     A     A     A     B     7B     OB     eB     B     B     B  ;   B     C     $C     @C     \C  #   {C  "   C  !   C  &   C  R   D  &   ^D  1   D     D     D  %   D  "   E  $   .E     SE  ;   oE      E     E     E  \    F     ]F     zF  V  #G  /   zH  ,   H  ,   H  ~   I  8   I     I  <   I     
J     J     &J  '   (J  B   PJ  )   J  ,   J  5   J      K     ,K     2K     MK     cK     uK     K     K     K     K  I   K     L     )L     =L     WL  #   sL     L     L      L  0   L     M  $   ,M     QM  E   nM     M     M     M     M     N     &N  !   .N  3   PN  <   N     N  7   N    O     P     P     P  +   Q  !   >Q  -   `Q  )   Q      Q  
   Q     Q  %   R     +R     ER     VR    ZR      \S  L   }S     S  (   T  N   T  I    U     jU  ,   U  m   U  )   V  C   GV  C   V  .   V  ;   V  =   :W  3   xW  >   W  W   W  a   CX     X  }   X     2Y     Y  a   _Z     Z  7   Z  y   [     [  ;   \  7   G\  P   \  J   \  5   ]  B   Q]  >   ]     ]  8   ]     ,^  >   ^  >   ^  P   +_  U   |_  *   _  U   _  X   S`  h   `  !   a     7a     Pa  -   na      a  &   a  &   a  (   b  C   4b  l   xb  O   b  Z   5c  3   c  I   c  W   d  a   fd     d  M   se  *   e  \   e  7   If  Q   f  9   f  s   
g  &   g  =   g  '   g  c   h     rh  U   h  ;   h  A   i  c   ai  H   i  G   j  U   Vj     j  G   j     k  8   k     k  @   Ol     l  r   l  2   m  P   Em  3   m  N   m  S   n  L   mn  ;   n  E   n  '   <o  1   do  %   o  3   o  2   o     #p  ,   3p     `p  
   p     p     q  N   Nr     r  X   r  M   s  f   Zs     s  r   s  X   Tt     t     <u  ^   u  U   <v  !   v  $   v  x   v     Rw  j   w  r   Dx     x  <   Sy  (   y     y     Gz  j   z     J{  7   M{  N   {  V   {  R   +|  Z   ~|  "   |  G   |  H   D}  G   }  B   }  r   ~  l   ~  S   ~  X   L  5    f   ۀ  L   B  h             y       Z   !  +   |  \     "     ^   (  q          /   օ  h     p   o  P     <   1  .   n            $   Ї  2     Z   (       h        y  H     m     ;   P  I     l   ֊     C      ͋  9     3   (  <   \  O     >     Z   (  8     D     T     B   V            R     n        h  I     =   4    r  _   5  #     &     ,     H   
  S   V  E     e     d   V  i     J   %  T   p  N   Ŗ            G     X   ޘ  C   7  =   {  n     C   (     l  G   %  B   m  V     =        E  T   Ӝ  |   (  3     :   ٝ  #     8   8  8   q  9     1     )     ,   @  <   m  3        ޟ  S   h  3     .     >     F   ^  O     _     b   U       R   N  Y     #     >     W   ^  ]     W     =   l  r     D     0   b  K        ߦ  ;     v  ɧ  ;  @     |  N     a   ]       _     '     ~   )       
   Ʈ     Ԯ  L   ֮     #  ^     b     Z   r     Ͱ     ٰ  B     -   $  )   R  >   |       !   ر  %              (       6   ڲ  A     8   S  @     5   ͳ  5     Z   9  l     %     Q   '  B   y       -   Y       I     F     8   8     q  C     p   ķ     5  D     |                   C                 S          g   A   N   5     |   *  l                  a   p   G         O   ]                ;              }   &          0      z   5      k          "                          
   .   0         D                       6  q       o       ,        D       Q              %  !          )         w   )      3          "   @      
           W       	         j      1      :  ;   7        6   \               `                 i            r   V   u   8     *                     4        #      R      -                                                 +         {      G                               /  '            :   _             %   	                                           J       B         
      ?                     L                          I                 K                                    t   +   Y      A      /   x                       <   ~                      H                  8          2      J   K       4     7   M      (  .  m            [       $     X               y              B     ?     3                  F  b             #  e       L  n   <  &                         h                     Z           =   !  ^             9          (      F         U          >          c         E             P   
  =     @                     s   T                           H         1                        -  d           f      2  C                         M  9  >  $       '   I                               ,                                          v   E     Candidate:    Installed:    Missing:    Mixed virtual packages:    Normal packages:    Pure virtual packages:    Single virtual packages:    Version table:  Done  [Installed]  [Not candidate version]  [Working]  failed.  or %i package can be upgraded. Run 'apt list --upgradable' to see it.
 %i packages can be upgraded. Run 'apt list --upgradable' to see them.
 %lu downgraded,  %lu not fully installed or removed.
 %lu package was automatically installed and is no longer required.
 %lu packages were automatically installed and are no longer required.
 %lu reinstalled,  %lu to remove and %lu not upgraded.
 %lu upgraded, %lu newly installed,  %s (due to %s) %s -> %s with priority %d
 %s can not be marked as it is not installed.
 %s does not take any arguments %s has no build depends.
 %s is already the newest version (%s).
 %s set on hold.
 %s set to automatically installed.
 %s set to manually installed.
 %s was already not on hold.
 %s was already set on hold.
 %s was already set to automatically installed.
 %s was already set to manually installed.
 (none) --fix-missing and media swapping is not currently supported --force-yes is deprecated, use one of the options starting with --allow instead. A proxy server was specified but no login script, Acquire::ftp::ProxyLogin is empty. A response overflowed the buffer. Abort. Aborting install. After this operation, %sB disk space will be freed.
 After this operation, %sB of additional disk space will be used.
 All packages are up to date. Arguments not in pairs At least one invalid signature was encountered. Authentication warning overridden.
 Bad default setting! Bad header data Bad header line Broken packages Build command '%s' failed.
 Cache is out of sync, can't x-ref a package file Can not find a package '%s' with release '%s' Can not find a package '%s' with version '%s' Can not find a package for architecture '%s' Can not find version '%s' of package '%s' Canceled hold on %s.
 Cannot initiate the connection to %s:%s (%s). Check if the 'dpkg-dev' package is installed.
 Configure build-dependencies for source packages Connected to %s (%s) Connecting to %s Connecting to %s (%s) Connection closed prematurely Connection failed Connection timed out Connection timeout Correcting dependencies... Could not bind a socket Could not connect data socket, connection timed out Could not connect passive socket. Could not connect to %s:%s (%s), connection timed out Could not connect to %s:%s (%s). Could not create a socket Could not create a socket for %s (f=%u t=%u p=%u) Could not determine the socket's name Could not execute 'apt-key' to verify signature (is gnupg installed?) Could not listen on the socket Could not resolve '%s' Couldn't determine free space in %s Couldn't find package %s Data socket connect timed out Data socket timed out Data transfer failed, server said '%s' Disk not found. Distribution upgrade, see apt-get(8) Do you want to continue? Do you want to erase any previously downloaded .deb files? Download Failed Download and display the changelog for the given package Download complete and in download only mode Download source archives Download the binary package into the current directory EPRT failed, server said: %s Erase downloaded archive files Erase old downloaded archive files Err:%lu %s Error reading from server Error reading from server. Remote end closed connection Error writing to file Essential packages were removed and -y was used without --allow-remove-essential. Executing dpkg failed. Are you root? Failed Failed to create IPC pipe to subprocess Failed to fetch %s  %s Failed to fetch some archives. Failed to mount '%s' to '%s' Failed to parse %s. Edit again?  Failed to process build dependencies Failed to set modification time Failed to stat Failed to stat %s Fetch source %s
 Fetched %sB in %s (%sB/s)
 File not found Follow dselect selections Full Text Search Get:%lu %s GetSrvRec failed for %s Held packages were changed and -y was used without --allow-change-held-packages. Hit:%lu %s Hmm, seems like the AutoRemover destroyed something which really
shouldn't happen. Please file a bug report against apt. How odd... The sizes didn't match, email apt@packages.debian.org However the following packages replace it: Ign:%lu %s Install new packages (pkg is libc6 not libc6.deb) Install these packages without verification? Internal Error, AutoRemover broke stuff Internal error Internal error, InstallPackages was called with broken packages! Internal error, Ordering didn't finish Internal error, problem resolver broke stuff Internal error: Good signature, but could not determine key fingerprint?! Invalid URI, local URIS must not start with // List the names of all packages in the system Listing Logging in Login script command '%s' failed, server said: %s Mark all dependencies of meta packages as automatically installed. Mark the given packages as automatically installed Mark the given packages as manually installed Media change: please insert the disc labeled
 '%s'
in the drive '%s' and press [Enter]
 Merging available information Most used commands: Must specify at least one package to check builddeps for Must specify at least one package to fetch source for Must specify at least one pair url/filename N Need one URL as argument Need to get %sB of archives.
 Need to get %sB of source archives.
 Need to get %sB/%sB of archives.
 Need to get %sB/%sB of source archives.
 No packages found Note, selecting '%s' for glob '%s'
 Note, selecting '%s' for regex '%s'
 Note, selecting '%s' for task '%s'
 Note, selecting '%s' instead of '%s'
 Note, using file '%s' to get the build dependencies
 Note: This is done automatically and on purpose by dpkg. PASS failed, server said: %s Package %s is a virtual package provided by:
 Package %s is not available, but is referred to by another package.
This may mean that the package is missing, has been obsoleted, or
is only available from another source
 Package %s version %s has an unmet dep:
 Package '%s' has no installation candidate Package '%s' is not installed, so not removed
 Package '%s' is not installed, so not removed. Did you mean '%s'?
 Package files: Packages need to be removed but remove is disabled. Packages were downgraded and -y was used without --allow-downgrades. Perform an upgrade Picking '%s' as source package instead of '%s'
 Pinned packages: Please insert a Disc in the drive and press [Enter] Please provide a name for this Disc, such as 'Debian 5.0.3 Disk 1' Please use apt-cdrom to make this CD-ROM recognized by APT. apt-get update cannot be used to add new CD-ROMs Press [Enter] to continue. Print the list of automatically installed packages Print the list of manually installed packages Print the list of packages on hold Problem hashing file Protocol corruption Query Read error Recommended packages: Regex compilation error - %s Reinstall packages (pkg is libc6 not libc6.deb) Reinstallation of %s is not possible, it cannot be downloaded.
 Remove automatically all unused packages Remove packages Remove packages and config files Repeat this process for the rest of the CDs in your set. Retrieve new lists of packages Satisfy dependency strings Search the package list for a regex pattern See %s for more information about the available commands. Select failed Selected %s for installation.
 Selected %s for removal.
 Selected version '%s' (%s) for '%s'
 Selected version '%s' (%s) for '%s' because of '%s'
 Server closed the connection Show a readable record for the package Show policy settings Show raw dependency information for a package Show reverse dependency information for a package Show source records Skipping %s, it is already installed and upgrade is not set.
 Skipping %s, it is not installed and only upgrades are requested.
 Skipping already downloaded file '%s'
 Skipping unpack of already unpacked source in %s
 Some errors occurred while unpacking. Packages that were installed Some files failed to download Some packages could not be authenticated Some packages could not be installed. This may mean that you have
requested an impossible situation or if you are using the unstable
distribution that some required packages have not yet been created
or been moved out of Incoming. Something wicked happened resolving '%s:%s' (%i - %s) Sorting Suggested packages: Supported modules: System error resolving '%s:%s' TYPE failed, server said: %s Temporary failure resolving '%s' The HTTP server sent an invalid Content-Length header The HTTP server sent an invalid Content-Range header The HTTP server sent an invalid reply header The following NEW packages will be installed: The following additional packages will be installed: The following held packages will be changed: The following information may help to resolve the situation: The following package was automatically installed and is no longer required: The following packages were automatically installed and are no longer required: The following packages have been kept back: The following packages have unmet dependencies: The following packages will be DOWNGRADED: The following packages will be REMOVED: The following packages will be marked as automatically installed: The following packages will be upgraded: The following signatures couldn't be verified because the public key is not available:
 The following signatures were invalid:
 The list of sources could not be read. The server refused the connection and said: %s The update command takes no arguments There were unauthenticated packages and -y was used without --allow-unauthenticated This HTTP server has broken range support This command is deprecated. Please use 'apt-mark showauto' instead. Total Desc/File relations:  Total Provides mappings:  Total dependencies:  Total distinct descriptions:  Total distinct versions:  Total globbed strings:  Total package names:  Total package structures:  Total slack space:  Total space accounted for:  Total ver/file relations:  Trivial Only specified but this is not a trivial operation. USER failed, server said: %s Unable to accept connection Unable to connect to %s:%s: Unable to correct dependencies Unable to correct missing packages. Unable to determine the local name Unable to determine the peer name Unable to fetch file, server said '%s' Unable to fetch some archives, maybe run apt-get update or try with --fix-missing? Unable to find a source package for %s Unable to get build-dependency information for %s Unable to invoke  Unable to locate package %s Unable to lock the download directory Unable to minimize the upgrade set Unable to read the cdrom database %s Unable to send PORT command Unable to unmount the CD-ROM in %s, it may still be in use. Unknown address family %u (AF_*) Unknown date format Unknown error executing apt-key Unmet dependencies. Try 'apt --fix-broken install' with no packages (or specify a solution). Unpack command '%s' failed.
 Usage: apt-config [options] command

apt-config is an interface to the configuration settings used by
all APT tools, mainly intended for debugging and shell scripting.
 Usage: apt-get [options] command
       apt-get [options] install|remove pkg1 [pkg2 ...]
       apt-get [options] source pkg1 [pkg2 ...]

apt-get is a command line interface for retrieval of packages
and information about them from authenticated sources and
for installation, upgrade and removal of packages together
with their dependencies.
 Use '%s' to remove it. Use '%s' to remove them. Verify that there are no broken dependencies Virtual packages like '%s' can't be removed
 WARNING: The following essential packages will be removed.
This should NOT be done unless you know exactly what you are doing! WARNING: The following packages cannot be authenticated! Waiting for headers We are not supposed to delete stuff, can't start AutoRemover Write error Wrong CD-ROM Y You don't have enough free space in %s. You might want to run 'apt --fix-broken install' to correct these. You must give at least one search pattern You should explicitly select one to install. Your '%s' file changed, please run 'apt-get update'.
 [IP: %s %s] [Y/n] [installed,auto-removable] [installed,automatic] [installed,local] [installed,upgradable to: %s] [installed] [residual-config] [upgradable from: %s] [y/N] above this message are important. Please fix them and run [I]nstall again analyse a pattern but %s is installed but %s is to be installed but it is a virtual package but it is not going to be installed but it is not installable but it is not installed edit the source information file getaddrinfo was unable to get a listening socket install packages list packages based on package names not a real package (virtual) or errors caused by missing dependencies. This is OK, only the errors reinstall packages remove packages satisfy dependency strings search in package descriptions show package details unknown update list of available packages upgrade the system by installing/upgrading packages upgrade the system by removing/installing/upgrading packages wait for system to be online will be configured. This may result in duplicate errors Project-Id-Version: apt 1.0.5
Report-Msgid-Bugs-To: APT Development Team <deity@lists.debian.org>
PO-Revision-Date: 2020-12-30 12:20+0200
Last-Translator: Vangelis Skarmoutsos <skarmoutsosv@gmail.com>
Language-Team: Greek <debian-l10n-greek@lists.debian.org>
Language: el
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 2.4.2
Plural-Forms: nplurals=2; plural=(n != 1);
   Υποψήφιο:    Εγκατεστημένα:   Αγνοούμενα:   Μικτά Εικονικά Πακέτα:    Κανονικά Πακέτα:   Πλήρως Εικονικά Πακέτα:   Μονά Εικονικά Πακέτα:    Πίνακας Έκδοσης:  Ετοιμο  [Εγκατεστημένα]  [Μη υποψήφια έκδοση]  [Επεξεργασία]  απέτυχε.  η %i πακέτο μπορεί να αναβαθμιστεί. Τρέξτε 'apt list --upgradable' για να το δείτε.
 %i πακέτα μπορούν να αναβαθμιστούν. Τρέξτε 'apt list --upgradable' για να τα δείτε.
 %lu υποβαθμισμένα,  %lu μη πλήρως εγκατεστημένα ή αφαιρέθηκαν.
 %lu πακέτο εγκαταστάθηκε αυτόματα και δεν χρειάζεται πλέον.
 %lu πακέτα εγκαταστάθηκαν αυτόματα και δεν χρειάζονται πλέον.
 %lu επανεγκατεστημένα,  %lu θα αφαιρεθούν και %lu δεν αναβαθμίζονται.
 %lu αναβαθμίστηκαν, %lu νέο εγκατεστημένα,  %s (λόγω του %s) %s -> %s με προτεραιότητα %d
 Το %s δεν μπορεί να σημειωθεί καθώς δεν είναι εγκατεστημένο.
 %s δεν παίρνει ορίσματα το %s δεν έχει εξαρτήσεις χτισίματος.
 το %s είναι ήδη η τελευταία έκδοση (%s).
 το %s ορίστηκε σε κράτηση.
 το %s έχει εγκατασταθεί αυτόματα
 το %s έχει εγκατασταθεί με το χέρι
 το %s ήταν ήδη χωρίς κράτηση.
 το %s ήταν ήδη ορισμένο σε κράτηση.
 Το %s έχει ήδη ορισθεί να εγκατασταθεί αυτόματα.
 Το %s έχει ήδη ορισθεί ως εγκατεστημένο χειρωνακτικά.
 (κανένα) ο συνδυασμός --fix-missing με εναλλαγή μέσων δεν υποστηρίζεται για την ώρα Το --force-yes είναι παρωχημένο, χρησιμοποιήστε τις επιλογές που ξεκινάνε με --allow. Ο διαμεσολαβητής έχει οριστεί αλλά χωρίς σενάριο εισόδου, το Acquire::ftp::ProxyLogin είναι άδειο. Το μήνυμα απάντησης υπερχείλισε την ενδιάμεση μνήμη. Εγκατάλειψη. Εγκατάλειψη της εγκατάστασης. Μετά από αυτή τη λειτουργία, θα ελευθερωθούν %sB χώρου από το δίσκο.
 Μετά από αυτή τη λειτουργία, θα χρησιμοποιηθούν %sB χώρου από το δίσκο.
 Όλα τα πακέτα είναι ενημερωμένα. Τα ορίσματα δεν είναι σε ζεύγη Βρέθηκε τουλάχιστον μια μη έγκυρη υπογραφή. Παράκαμψη προειδοποίησης ταυτοποίησης.
 Κακή προκαθορισμένη ρύθμιση! Ελαττωματικά δεδομένα επικεφαλίδας Ελαττωματική γραμμή επικεφαλίδας Χαλασμένα πακέτα Απέτυχε η εντολή χτισίματος %s.
 Η cache δεν είναι ενημερωμένη, αδυναμία παραπομπής σε ένα αρχείο πακέτου Δεν βρέθηκε πακέτο '%s' με έκδοση '%s' Δεν βρέθηκε πακέτο '%s' με έκδοση '%s' Δεν βρέθηκε πακέτο για την αρχιτεκτονική '%s' Δεν μπορεί να βρεθεί η έκδοση '%s' του πακέτου '%s' Ακύρωση κράτησης του %s
 Αδύνατη η αρχικοποίηση της σύνδεσης στο %s:%s (%s). Ελέγξτε αν είναι εγκαταστημένο το πακέτο 'dpkg-dev'.
 Ρύθμιση εξαρτήσεων χτισίματος για πακέτα πηγαίου κώδικα Συνδέθηκε στο %s (%s) Σύνδεση στο %s Σύνδεση στο %s (%s) Η σύνδεση έκλεισε πρόωρα Η σύνδεση απέτυχε Λήξη χρόνου σύνδεσης Λήξη χρόνου σύνδεσης Διόρθωση εξαρτήσεων... Αδύνατη η πρόσδεση στην υποδοχή (socket) Αδύνατη η σύνδεση υποδοχής δεδομένων, λήξη χρόνου σύνδεσης Αδύνατη η σύνδεση σε παθητική υποδοχή (socket). Αδύνατη η σύνδεση στο %s:%s (%s), λήξη χρόνου σύνδεσης Αδύνατη η σύνδεση στο %s:%s (%s). Αδύνατη η δημιουργία μιας υποδοχής (socket) Αδύνατη η δημιουργία υποδοχής για το %s (f=%u t=%u p=%u) Αδύνατος ο καθορισμός του ονόματος της υποδοχής (socket) Δεν μπόρεσε να εκτελεστεί το 'apt-key' για επιβεβαίωση της υπογραφής (είναι εγκατεστημένο το gnupg;) Αδύνατη η παρακολούθηση της υποδοχής (socket) Αδύνατη η εύρεση του '%s' Δεν μπόρεσα να προσδιορίσω τον ελεύθερο χώρο στο %s Αδύνατη η εύρεση του πακέτου %s Λήξη χρόνου σύνδεσης στην υποδοχή δεδομένων Λήξη χρόνου υποδοχής δεδομένων Αποτυχία κατά τη μεταφορά δεδομένων, ο διακομιστής απάντησε '%s' Ο δίσκος δεν βρέθηκε. Αναβάθμιση διανομής, δες το apt-get(8) Θέλετε να συνεχίσετε; Επιθυμείτε τη διαγραφή ήδη μεταφορτωμένων αρχείων .deb; Η λήψη απέτυχε Λήψη και εμφάνιση του changelog για το δοθέν πακέτο Ολοκληρώθηκε η μεταφόρτωση μόνο Μεταφόρτωση πακέτων πηγαίου κώδικα Λήψη του δυαδικού πακέτου μέσα στον τρέχοντα κατάλογο Το EPRT απέτυχε, ο διακομιστής απάντησε: %s Καθαρισμός των μεταφορτωμένων αρχείων Καθαρισμός παλαιότερα μεταφορτωμένων αρχείων Σφάλμα:%lu %s Σφάλμα στην ανάγνωση από το διακομιστή Σφάλμα στην ανάγνωση από το διακομιστή, το άλλο άκρο έκλεισε τη σύνδεση Σφάλμα στην εγγραφή στο αρχείο Αφαιρέθηκαν ουσιώδη πακέτα και χρησιμοποιήθηκε το -y χωρίς το --allow-remove-essential. Η εκτέλεση του dpkg απέτυχε. Είστε root; Απέτυχε Αποτυχία κατά τη δημιουργία διασωλήνωσης IPC στην υποδιεργασία Αποτυχία ανάκτησης του %s   %s Αποτυχία μεταφόρτωσης μερικών αρχειοθηκών. Αποτυχία σύνδεσης του %s σε %s Αποτυχία ανάλυσης του %s. Επεξεργασία ξανά;  Αποτυχία επεξεργασίας εξαρτήσεων χτισίματος Αποτυχία ορισμού του χρόνου τροποποίησης Αποτυχία εύρεσης της κατάστασης Αποτυχία εύρεσης της κατάστασης του %s Μεταφόρτωση Κωδικα %s
 Μεταφορτώθηκαν %sB σε %s (%sB/s)
 Το αρχείο Δε Βρέθηκε Τήρηση των επιλογών του dselect Αναζήτηση πλήρους κειμένου Φέρε:%lu %s Το GetSrvRec απέτυχε για το %s Τα κρατημένα πακέτα άλλαξαν και το -y χρησιμοποιήθηκε χωρίς το --allow-change-held-packages. Hit:%lu %s Φαίνεται πως το AutoRemover κατέστρεψε κάτι ενώ δεν θα έπρεπε. Παρακαλείστε να υποβάλλετε αναφορά σφάλματος για το apt. Πολύ περίεργο! Τα μεγέθη δεν ταιριάζουν, στείλτε μήνυμα στο apt@packages.debian.org Πάραυτα το ακόλουθο πακέτο το αντικαθιστά: Αγνόησε:%lu %s Εγκατάσταση νέων πακέτων (χωρίς την επέκταση .deb) Εγκατάσταση των πακέτων χωρίς επαλήθευση; Εσωτερικό Σφάλμα, το AutoRemover δημιούργησε κάποιο πρόβλημα Εσωτερικό Σφάλμα Εσωτερικό σφάλμα, έγινε κλήση του Install Packages με σπασμένα πακέτα! Εσωτερικό Σφάλμα, η Ταξινόμηση δεν ολοκληρώθηκε Εσωτερικό Σφάλμα, η προσπάθεια επίλυσης του προβλήματος "έσπασε" κάποιο υλικό Εσωτερικό σφάλμα: Η υπογραφή είναι καλή, αλλά αδυναμία προσδιορισμού του αποτυπώματος?! Μη έγκυρο URI, τα τοπικά URI δεν πρέπει να αρχίζουν με // Εμφάνιση λίστας με τα ονόματα όλων των πακέτων Δημιουργία λίστας Σύνδεση στο σύστημα Η εντολή '%s' στο σενάριο εισόδου απέτυχε, ο διακομιστής απάντησε: %s Σημείωση όλων των εξαρτήσεων των μετα-πακέτων ως εγκατεστημένα αυτόματα. Σημείωση των δοθέντων πακέτων ως αυτόματα εγκατεστημένων Σημείωση των δοθέντων πακέτων ως εγκατεστημένων χειρονακτικά Αλλαγή μέσου: παρακαλώ εισάγετε το δίσκο με ετικέτα
 '%s'
στον οδηγό '%s' και πιέστε  [Enter]
 Σύμπτυξη Διαθέσιμων Πληροφοριών Οι πιο συχνές εντολές: Θα πρέπει να καθορίσετε τουλάχιστον ένα πακέτο για έλεγχο των εξαρτήσεων του Θα πρέπει να καθορίσετε τουλάχιστον ένα πακέτο για να μεταφορτώσετε τον κωδικάτου Πρέπει να προσδιορίσετε τουλάχιστον ένα ζεύγος url/αρχείου Ο Χρειάζεται ένα URL ως παράμετρο Χρειάζεται να μεταφορτωθούν %sB από αρχεία.
 Χρειάζεται να μεταφορτωθούν %sB πηγαίου κώδικα.
 Χρειάζεται να μεταφορτωθούν %sB/%sB από αρχεία.
 Χρειάζεται να μεταφορτωθούν %sB/%sB πηγαίου κώδικα.
 Δε βρέθηκαν πακέτα Σημείωση, επιλέχτηκε το '%s' για το glob '%s'
 Σημείωση, επιλέχτηκε το '%s' για το regex '%s'
 Σημείωση, επιλέχτηκε το '%s' για το task '%s'
 Σημείωση, επιλέχθηκε το %s αντί του %s
 Σημείωση, χρήση του αρχείου '%s' για λήψη εξαρτήσεων κατασκευής
 Σημείωση: Αυτό έγινε αυτόματα και με κάποιο σκοπό από το dpkg. Η εντολή PASS απέτυχε, ο διακομιστής απάντησε: %s Το πακέτο %s είναι εικονικό και παρέχεται από τα:
 Το πακέτο %s δεν είναι διαθέσιμο, αλλά υπάρχει αναφορά για αυτό από άλλο πακέτο.
Αυτό σημαίνει ότι το πακέτο αυτό λείπει, είναι παλαιωμένο, ή είναι διαθέσιμο από άλλη πηγή
 Το πακέτο %s με έκδοση %s έχει ανικανοποίητες εξαρτήσεις:
 Το πακέτο %s δεν έχει υποψήφια εγκατάσταση Το πακέτο %s δεν είναι εγκατεστημένο και δεν θα αφαιρεθεί
 Το πακέτο %s δεν είναι εγκατεστημένο και δεν θα αφαιρεθεί. Εννοείτε '%s'?
 Αρχεία Πακέτου: Μερικά πακέτα πρέπει να αφαιρεθούν αλλά η Αφαίρεση είναι απενεργοποιημένη. Υπάρχουν προβλήματα και δώσατε -y  χωρίς το --force-yes. Διενέργεια αναβάθμισης Επιλογή του %s ώς λίστας πηγαίων πακέτων αντί της %s
 Καθηλωμένα Πακέτα: Παρακαλώ εισάγετε δίσκο στον οδηγό και πατήστε [Enter} Παρακαλώ δώστε ένα όνομα για αυτόν τον δίσκο, όπως 'Debian 5.0.3 Disk 1' Παρακαλώ χρησιμοποιείστε το apt-cdrom για να αναγνωριστεί αυτό το CD από το APT. Το apt-get update δε χρησιμεύει για να προσθέτει νέα CD Πατήστε [Enter] για συνέχεια. Εκτύπωση της λίστας των αυτόματα εγκατεστημένων πακέτων Εκτύπωση της λίστας των χειρωνακτικά εγκαταστημένων πακέτων Εκτύπωση της λίστας των πακέτων υπό κράτηση Πρόβλημα κατά το hashing του αρχείου Αλλοίωση του πρωτοκόλλου Επερώτηση Σφάλμα ανάγνωσης Συνιστώμενα πακέτα: Σφάλμα μεταγλωτισμού regex - %s Επανεγκατάσταση πακέτων (το pkg είναι libc6 όχι libc6.deb) Η επανεγκατάσταση του %s δεν είναι εφικτή, δεν είναι δυνατή η μεταφόρτωσή του
 Αυτόματη αφαίρεση όλων των μη χρησιμοποιούμενων πακέτων Αφαίρεση πακέτων Αφαίρεση πακέτων και αρχείων ρυθμίσεων Επαναλάβετε την διαδικασία για τα υπόλοιπα CD από το σετ σας. Ανάκτηση νέων καταλόγων πακέτων Εκπλήρωση των συμβολοσειρών εξαρτήσεων Αναζήτηση στη λίστα πακέτων για αυτή τη κανονική παράσταση Δείτε το %s για περισσότερες πληροφορίες σχετικά με τις διαθέσιμες εντολές. Η επιλογή απέτυχε Επιλέχθηκαν %s για εγκατάσταση.
 Επιλέχθηκαν %s για αφαίρεση.
 Επιλέχθηκε η έκδοση %s (%s) για το %s
 Επιλέχθηκε η έκδοση %s (%s) για το %s λόγω του %s
 Ο διακομιστής έκλεισε την σύνδεση Εμφάνιση μιας αναγνώσιμης εγγραφής για το πακέτο Εμφάνιση προτεραιοτήτων πηγών Εμφάνιση των εξαρτήσεων ενός πακέτου Εμφάνιση αντίστροφων εξαρτήσεων ενός πακέτου Εμφάνιση εγγραφών για πηγαίο πακέτο Παράκαμψη του %s, είναι εγκατεστημένο και η αναβάθμιση δεν έχει οριστεί.
 Παράκαμψη του %s, είναι εγκατεστημένο και μόνο αναβαθμίσεις έχουν οριστεί.
 Παράκαμψη του ήδη μεταφορτωμένου αρχείου `%s`
 Παράκαμψη της αποσυμπίεσης ήδη μεταφορτωμένου κώδικα στο %s
 Προέκυψαν σφάλματα κατά την αποσυμπίεση. Τα πακέτα που εγκαταστάθηκαν Για μερικά αρχεία απέτυχε η μεταφόρτωση Μερικά πακέτα δεν εξαακριβώθηκαν Μερικά πακέτα είναι αδύνατον να εγκατασταθούν. Αυτό μπορεί να σημαίνει ότι
δημιουργήσατε μια απίθανη κατάσταση ή αν χρησιμοποιείτε την ασταθή
διανομή, ότι μερικά από τα πακέτα δεν έχουν ακόμα δημιουργηθεί ή έχουν
μετακινηθεί από τα εισερχόμενα. Κάτι παράξενο συνέβη κατά την επίλυση του  '%s:%s' (%i - %s) Γίνεται ταξινόμηση Προτεινόμενα πακέτα: Υποστηριζόμενοι Οδηγοί: Σφάλμα συστήματος κατά την επίλυση '%s:%s' Η εντολή TYPE απέτυχε, ο διακομιστής απάντησε: %s Προσωρινή αποτυχία στην εύρεση του '%s' Ο διακομιστής http έστειλε μια άκυρη επικεφαλίδα Content-Length Ο διακομιστής http έστειλε μια άκυρη επικεφαλίδα Content-Range Ο διακομιστής http έστειλε μια άκυρη επικεφαλίδα απάντησης Τα ακόλουθα ΝΕΑ πακέτα θα εγκατασταθούν: Τα ακόλουθα επιπλέον πακέτα θα εγκατασταθούν: Τα ακόλουθα κρατημένα πακέτα θα αλλαχθούν: Οι ακόλουθες πληροφορίες ίσως βοηθήσουν στην επίλυση του προβλήματος: Το ακόλουθο πακέτο εγκαταστάθηκε αυτόματα και δεν χρειάζεται πλέον: Τα ακόλουθα πακέτα εγκαταστάθηκαν αυτόματα και δεν χρειάζονται πλέον: Τα ακόλουθα πακέτα θα μείνουν ως έχουν: Τα ακόλουθα πακέτα έχουν ανεπίλυτες εξαρτήσεις: Τα ακόλουθα πακέτα θα ΥΠΟΒΑΘΜΙΣΤΟΥΝ: Τα ακόλουθα πακέτα θα ΑΦΑΙΡΕΘΟΥΝ: Τα ακόλουθα πακέτα θα σημειωθούν ως αυτόματα εγκατεστημένα: Τα ακόλουθα πακέτα θα αναβαθμιστούν: Οι παρακάτω υπογραφές δεν ήταν δυνατόν να επαληθευτούν επειδή δεν ήταν διαθέσιμο το δημόσιο κλειδί:
 Οι παρακάτω υπογραφές ήταν μη έγκυρες:
 Αδύνατη η ανάγνωση της λίστας πηγών. Ο διακομιστής αρνήθηκε την σύνδεση με μήνυμα: %s Η εντολή update δεν παίρνει ορίσματα Υπήρχαν μη επικυρωμένα πακέτα και χρησιμοποιήθηκε το -y χωρίς το --allow-unauthenticated Ο διακομιστής http δεν υποστηρίζει πλήρως το range Αυτή η εντολή είναι παρωχημένη. Παρακαλώ χρησιμοποιήστε 'apt-mark showauto'. Σύνολο σχέσεων Εκδ/Αρχείων:  Σύνολο Αντιστοιχίσεων Παροχών:  Σύνολο Εξαρτήσεων:  Σύνολο Διαφορετικών Εκδόσεων:  Σύνολο Διαφορετικών Εκδόσεων:  Σύνολο Κοινών Στοιχειοσειρών :  Συνολικά Ονόματα Πακέτων :  Συνολο Δομών Πακέτου :  Σύνολο χώρου ασφαλείας:  Συνολικός Καταμετρημένος Χώρος:  Σύνολο σχέσεων Εκδ/Αρχείων:  Καθορίστηκε μόνο συνηθισμένο, αλλά αυτή δεν είναι μια συνηθισμένη εργασία. Η εντολή USER απέτυχε, ο διακομιστής απάντησε: %s Αδύνατη η αποδοχή συνδέσεων Αδύνατη η σύνδεση στο %s:%s: Αδύνατη η διόρθωση των εξαρτήσεων Αδύνατη η επίλυση των χαμένων πακέτων. Αδύνατος ο καθορισμός του τοπικού ονόματος Αδύνατος ο καθορισμός του ονόματος του ομότιμου (peer) Αδυναμία λήψης του αρχείου, ο διακομιστής απάντησε '%s' Αδύνατη η μεταφόρτωση μερικών αρχείων, ίσως αν δοκιμάζατε με apt-get update ή το --fix-missing; Αδυναμία εντοπισμού του κώδικά του πακέτου %s Αδύνατη η εύρεση πληροφοριών χτισίματος για το %s Αδύνατη η επίκληση  Αδυναμία εντοπισμού του πακέτου %s Αδύνατο το κλείδωμα του καταλόγου μεταφόρτωσης Αδύνατη η ελαχιστοποίηση του συνόλου αναβαθμίσεων Αδύνατη η ανάγνωση της βάσης δεδομένων του cdrom %s Αδύνατη η αποστολή της εντολής PORT Αδυναμία απόσυναρμογής του CD-ROM στο %s, μπορεί να είναι σε χρήση. Άγνωστη οικογένεια διευθύνσεων %u (AF_*) Άγνωστη μορφή ημερομηνίας Άγνωστο σφάλμα κατά την εκτέλεση του apt-key Ανεπίλυτες εξαρτήσεις. Δοκιμάστε 'apt --fix-broken install' χωρίς να ορίσετε πακέτο (ή καθορίστε μια λύση). Απέτυχε η εντολή αποσυμπίεσης %s
 Χρήση: apt-config [επιλογές] εντολή

το apt-config είναι μια διεπαφή στις προσαρμοσμένες ρυθμίσεις που χρησιμοποιούνται από όλα
τα εργαλεία APT, με κύριο σκοπό την αποσφαλμάτωση και την δημιουργία σεναρίων κελύφους.
 Χρήση: apt-get [παράμετροι] εντολή
       apt-get [παράμετροι] install|remove pkg1 [pkg2 ...]
       apt-get [παράμετροι] source pkg1 [pkg2 ...]

η apt-get είναι μια διεπαφή της γραμμής εντολών για την ανάκτηση
πακέτων και πληροφοριών σχετικά με αυτά, από πιστοποιημένες πηγές
και για εγκατάσταση, αναβάθμιση και αφαίρεση πακέτων μαζί με τις
εξαρτήσεις τους.
 Χρησιμοποιήστε '%s' για να το διαγράψετε. Χρησιμοποιήστε '%s' για να τα διαγράψετε. Εξακρίβωση για τυχόν σπασμένες εξαρτήσεις Εικονικά πακέτα όπως το '%s' δεν μπορούν να αφαιρεθούν
 ΠΡΟΕΙΔΟΠΟΙΗΣΗ: Τα ακόλουθα απαραίτητα πακέτα θα αφαιρεθούν
Αυτό ΔΕΝ θα έπρεπε να συμβεί, εκτός αν ξέρετε τι ακριβώς κάνετε! ΠΡΟΕΙΔΟΠΟΙΗΣΗ: Τα ακόλουθα πακέτα δεν επικυρώθηκαν! Αναμονή επικεφαλίδων Δεν επιτρέπεται οποιαδήποτε διαγραφή· αδυναμία εκκίνησης του AutoRemover Σφάλμα εγγραφής Λάθος CD Y Δεν διαθέτετε αρκετό ελεύθερο χώρο στο  %s. Ίσως να πρέπει να τρέξετε apt --fix-broken install για να διορθώσετε αυτά τα προβλήματα. Πρέπει να δώσετε τουλάχιστον ένα μοτίβο ανα