# -*- coding: utf-8-unix -*-

package Math::BigInt;

#
# "Mike had an infinite amount to do and a negative amount of time in which
# to do it." - Before and After
#

# The following hash values are used:
#   value: unsigned int with actual value (as a Math::BigInt::Calc or similar)
#   sign : +, -, NaN, +inf, -inf
#   _a   : accuracy
#   _p   : precision

# Remember not to take shortcuts ala $xs = $x->{value}; $LIB->foo($xs); since
# underlying lib might change the reference!

use 5.006001;
use strict;
use warnings;

use Carp          qw< carp croak >;
use Scalar::Util  qw< blessed >;

our $VERSION = '1.999830';
$VERSION =~ tr/_//d;

require Exporter;
our @ISA = qw(Exporter);
our @EXPORT_OK = qw(objectify bgcd blcm);

# Inside overload, the first arg is always an object. If the original code had
# it reversed (like $x = 2 * $y), then the third parameter is true.
# In some cases (like add, $x = $x + 2 is the same as $x = 2 + $x) this makes
# no difference, but in some cases it does.

# For overloaded ops with only one argument we simple use $_[0]->copy() to
# preserve the argument.

# Thus inheritance of overload operators becomes possible and transparent for
# our subclasses without the need to repeat the entire overload section there.

use overload

  # overload key: with_assign

  '+'     =>      sub { $_[0] -> copy() -> badd($_[1]); },

  '-'     =>      sub { my $c = $_[0] -> copy();
                        $_[2] ? $c -> bneg() -> badd($_[1])
                              : $c -> bsub($_[1]); },

  '*'     =>      sub { $_[0] -> copy() -> bmul($_[1]); },

  '/'     =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> bdiv($_[0])
                              : $_[0] -> copy() -> bdiv($_[1]); },

  '%'     =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> bmod($_[0])
                              : $_[0] -> copy() -> bmod($_[1]); },

  '**'    =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> bpow($_[0])
                              : $_[0] -> copy() -> bpow($_[1]); },

  '<<'    =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> blsft($_[0])
                              : $_[0] -> copy() -> blsft($_[1]); },

  '>>'    =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> brsft($_[0])
                              : $_[0] -> copy() -> brsft($_[1]); },

  # overload key: assign

  '+='    =>      sub { $_[0] -> badd($_[1]); },

  '-='    =>      sub { $_[0] -> bsub($_[1]); },

  '*='    =>      sub { $_[0] -> bmul($_[1]); },

  '/='    =>      sub { scalar $_[0] -> bdiv($_[1]); },

  '%='    =>      sub { $_[0] -> bmod($_[1]); },

  '**='   =>      sub { $_[0] -> bpow($_[1]); },

  '<<='   =>      sub { $_[0] -> blsft($_[1]); },

  '>>='   =>      sub { $_[0] -> brsft($_[1]); },

#  'x='    =>      sub { },

#  '.='    =>      sub { },

  # overload key: num_comparison

  '<'     =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> blt($_[0])
                              : $_[0] -> blt($_[1]); },

  '<='    =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> ble($_[0])
                              : $_[0] -> ble($_[1]); },

  '>'     =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> bgt($_[0])
                              : $_[0] -> bgt($_[1]); },

  '>='    =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> bge($_[0])
                              : $_[0] -> bge($_[1]); },

  '=='    =>      sub { $_[0] -> beq($_[1]); },

  '!='    =>      sub { $_[0] -> bne($_[1]); },

  # overload key: 3way_comparison

  '<=>'   =>      sub { my $cmp = $_[0] -> bcmp($_[1]);
                        defined($cmp) && $_[2] ? -$cmp : $cmp; },

  'cmp'   =>      sub { $_[2] ? "$_[1]" cmp $_[0] -> bstr()
                              : $_[0] -> bstr() cmp "$_[1]"; },

  # overload key: str_comparison

#  'lt'    =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> bstrlt($_[0])
#                              : $_[0] -> bstrlt($_[1]); },
#
#  'le'    =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> bstrle($_[0])
#                              : $_[0] -> bstrle($_[1]); },
#
#  'gt'    =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> bstrgt($_[0])
#                              : $_[0] -> bstrgt($_[1]); },
#
#  'ge'    =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> bstrge($_[0])
#                              : $_[0] -> bstrge($_[1]); },
#
#  'eq'    =>      sub { $_[0] -> bstreq($_[1]); },
#
#  'ne'    =>      sub { $_[0] -> bstrne($_[1]); },

  # overload key: binary

  '&'     =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> band($_[0])
                              : $_[0] -> copy() -> band($_[1]); },

  '&='    =>      sub { $_[0] -> band($_[1]); },

  '|'     =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> bior($_[0])
                              : $_[0] -> copy() -> bior($_[1]); },

  '|='    =>      sub { $_[0] -> bior($_[1]); },

  '^'     =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> bxor($_[0])
                              : $_[0] -> copy() -> bxor($_[1]); },

  '^='    =>      sub { $_[0] -> bxor($_[1]); },

#  '&.'    =>      sub { },

#  '&.='   =>      sub { },

#  '|.'    =>      sub { },

#  '|.='   =>      sub { },

#  '^.'    =>      sub { },

#  '^.='   =>      sub { },

  # overload key: unary

  'neg'   =>      sub { $_[0] -> copy() -> bneg(); },

#  '!'     =>      sub { },

  '~'     =>      sub { $_[0] -> copy() -> bnot(); },

#  '~.'    =>      sub { },

  # overload key: mutators

  '++'    =>      sub { $_[0] -> binc() },

  '--'    =>      sub { $_[0] -> bdec() },

  # overload key: func

  'atan2' =>      sub { $_[2] ? ref($_[0]) -> new($_[1]) -> batan2($_[0])
                              : $_[0] -> copy() -> batan2($_[1]); },

  'cos'   =>      sub { $_[0] -> copy() -> bcos(); },

  'sin'   =>      sub { $_[0] -> copy() -> bsin(); },

  'exp'   =>      sub { $_[0] -> copy() -> bexp($_[1]); },

  'abs'   =>      sub { $_[0] -> copy() -> babs(); },

  'log'   =>      sub { $_[0] -> copy() -> blog(); },

  'sqrt'  =>      sub { $_[0] -> copy() -> bsqrt(); },

  'int'   =>      sub { $_[0] -> copy() -> bint(); },

  # overload key: conversion

  'bool'  =>      sub { $_[0] -> is_zero() ? '' : 1; },

  '""'    =>      sub { $_[0] -> bstr(); },

  '0+'    =>      sub { $_[0] -> numify(); },

  '='     =>      sub { $_[0] -> copy(); },

  ;

##############################################################################
# global constants, flags and accessory

# These vars are public, but their direct usage is not recommended, use the
# accessor methods instead

our $round_mode = 'even'; # one of 'even', 'odd', '+inf', '-inf', 'zero', 'trunc' or 'common'
our $accuracy   = undef;
our $precision  = undef;
our $div_scale  = 40;
our $upgrade    = undef;                    # default is no upgrade
our $downgrade  = undef;                    # default is no downgrade

# These are internally, and not to be used from the outside at all

our $_trap_nan = 0;                         # are NaNs ok? set w/ config()
our $_trap_inf = 0;                         # are infs ok? set w/ config()

my $nan = 'NaN';                        # constants for easier life

# Module to do the low level math.

my $DEFAULT_LIB = 'Math::BigInt::Calc';
my $LIB;

# Has import() been called yet? Needed to make "require" work.

my $IMPORT = 0;

##############################################################################
# the old code had $rnd_mode, so we need to support it, too

our $rnd_mode   = 'even';

sub TIESCALAR {
    my ($class) = @_;
    bless \$round_mode, $class;
}

sub FETCH {
    return $round_mode;
}

sub STORE {
    $rnd_mode = $_[0]->round_mode($_[1]);
}

BEGIN {
    # tie to enable $rnd_mode to work transparently
    tie $rnd_mode, 'Math::BigInt';

    # set up some handy alias names
    *as_int = \&as_number;
    *is_pos = \&is_positive;
    *is_neg = \&is_negative;
}

###############################################################################
# Configuration methods
###############################################################################

sub round_mode {
    my $self = shift;
    my $class = ref($self) || $self || __PACKAGE__;

    if (@_) {                           # setter
        my $m = shift;
        croak("The value for 'round_mode' must be defined")
          unless defined $m;
        croak("Unknown round mode '$m'")
          unless $m =~ /^(even|odd|\+inf|\-inf|zero|trunc|common)$/;
        no strict 'refs';
        ${"${class}::round_mode"} = $m;
    }

    else {                              # getter
        no strict 'refs';
        my $m = ${"${class}::round_mode"};
        defined($m) ? $m : $round_mode;
    }
}

sub upgrade {
    no strict 'refs';
    # make Class->upgrade() work
    my $self = shift;
    my $class = ref($self) || $self || __PACKAGE__;
    # need to set new value?
    if (@_ > 0) {
        return ${"${class}::upgrade"} = $_[0];
    }
    ${"${class}::upgrade"};
}

sub downgrade {
    no strict 'refs';
    # make Class->downgrade() work
    my $self = shift;
    my $class = ref($self) || $self || __PACKAGE__;
    # need to set new value?
    if (@_ > 0) {
        return ${"${class}::downgrade"} = $_[0];
    }
    ${"${class}::downgrade"};
}

sub div_scale {
    my $self = shift;
    my $class = ref($self) || $self || __PACKAGE__;

    if (@_) {                           # setter
        my $ds = shift;
        croak("The value for 'div_scale' must be defined") unless defined $ds;
        croak("The value for 'div_scale' must be positive") unless $ds > 0;
        $ds = $ds -> numify() if defined(blessed($ds));
        no strict 'refs';
        ${"${class}::div_scale"} = $ds;
    }

    else {                              # getter
        no strict 'refs';
        my $ds = ${"${class}::div_scale"};
        defined($ds) ? $ds : $div_scale;
    }
}

sub accuracy {
    # $x->accuracy($a);           ref($x) $a
    # $x->accuracy();             ref($x)
    # Class->accuracy();          class
    # Class->accuracy($a);        class $a

    my $x = shift;
    my $class = ref($x) || $x || __PACKAGE__;

    no strict 'refs';
    if (@_ > 0) {
        my $a = shift;
        if (defined $a) {
            $a = $a->numify() if ref($a) && $a->can('numify');
            # also croak on non-numerical
            if (!$a || $a <= 0) {
                croak('Argument to accuracy must be greater than zero');
            }
            if (int($a) != $a) {
                croak('Argument to accuracy must be an integer');
            }
        }

        if (ref($x)) {
            # Set instance variable.
            $x->bround($a) if $a; # not for undef, 0
            $x->{_a} = $a;        # set/overwrite, even if not rounded
            delete $x->{_p};      # clear P
            # Why return class variable here? Fixme!
            $a = ${"${class}::accuracy"} unless defined $a; # proper return value
        } else {
            # Set class variable.
            ${"${class}::accuracy"} = $a; # set global A
            ${"${class}::precision"} = undef; # clear global P
        }

        return $a;              # shortcut
    }

    # Return instance variable.
    return $x->{_a} if ref($x) && (defined $x->{_a} || defined $x->{_p});

    # Return class variable.
    return ${"${class}::accuracy"};
}

sub precision {
    # $x->precision($p);          ref($x) $p
    # $x->precision();            ref($x)
    # Class->precision();         class
    # Class->precision($p);       class $p

    my $x = shift;
    my $class = ref($x) || $x || __PACKAGE__;

    no strict 'refs';
    if (@_ > 0) {
        my $p = shift;
        if (defined $p) {
            $p = $p->numify() if ref($p) && $p->can('numify');
            if ($p != int $p) {
                croak('Argument to precision must be an integer');
            }
        }

        if (ref($x)) {
            # Set instance variable.
            $x->bfround($p) if $p; # not for undef, 0
            $x->{_p} = $p;         # set/overwrite, even if not rounded
            delete $x->{_a};       # clear A
            # Why return class variable here? Fixme!
            $p = ${"${class}::precision"} unless defined $p; # proper return value
        } else {
            # Set class variable.
            ${"${class}::precision"} = $p; # set global P
            ${"${class}::accuracy"} = undef; # clear global A
        }

        return $p;              # shortcut
    }

    # Return instance variable.
    return $x->{_p} if ref($x) && (defined $x->{_a} || defined $x->{_p});

    # Return class variable.
    return ${"${class}::precision"};
}

sub config {
    # return (or set) configuration data.
    my $class = shift || __PACKAGE__;

    no strict 'refs';
    if (@_ > 1 || (@_ == 1 && (ref($_[0]) eq 'HASH'))) {
        # try to set given options as arguments from hash

        my $args = $_[0];
        if (ref($args) ne 'HASH') {
            $args = { @_ };
        }
        # these values can be "set"
        my $set_args = {};
        foreach my $key (qw/
                               accuracy precision
                               round_mode div_scale
                               upgrade downgrade
                               trap_inf trap_nan
                           /)
        {
            $set_args->{$key} = $args->{$key} if exists $args->{$key};
            delete $args->{$key};
        }
        if (keys %$args > 0) {
            croak("Illegal key(s) '", join("', '", keys %$args),
                        "' passed to $class\->config()");
        }
        foreach my $key (keys %$set_args) {
            if ($key =~ /^trap_(inf|nan)\z/) {
                ${"${class}::_trap_$1"} = ($set_args->{"trap_$1"} ? 1 : 0);
                next;
            }
            # use a call instead of just setting the $variable to check argument
            $class->$key($set_args->{$key});
        }
    }

    # now return actual configuration

    my $cfg = {
               lib         => $LIB,
               lib_version => ${"${LIB}::VERSION"},
               class       => $class,
               trap_nan    => ${"${class}::_trap_nan"},
               trap_inf    => ${"${class}::_trap_inf"},
               version     => ${"${class}::VERSION"},
              };
    foreach my $key (qw/
                           accuracy precision
                           round_mode div_scale
                           upgrade downgrade
                       /)
    {
        $cfg->{$key} = ${"${class}::$key"};
    }
    if (@_ == 1 && (ref($_[0]) ne 'HASH')) {
        # calls of the style config('lib') return just this value
        return $cfg->{$_[0]};
    }
    $cfg;
}

sub _scale_a {
    # select accuracy parameter based on precedence,
    # used by bround() and bfround(), may return undef for scale (means no op)
    my ($x, $scale, $mode) = @_;

    $scale = $x->{_a} unless defined $scale;

    no strict 'refs';
    my $class = ref($x);

    $scale = ${ $class . '::accuracy' } unless defined $scale;
    $mode = ${ $class . '::round_mode' } unless defined $mode;

    if (defined $scale) {
        $scale = $scale->can('numify') ? $scale->numify()
                                       : "$scale" if ref($scale);
        $scale = int($scale);
    }

    ($scale, $mode);
}

sub _scale_p {
    # select precision parameter based on precedence,
    # used by bround() and bfround(), may return undef for scale (means no op)
    my ($x, $scale, $mode) = @_;

    $scale = $x->{_p} unless defined $scale;

    no strict 'refs';
    my $class = ref($x);

    $scale = ${ $class . '::precision' } unless defined $scale;
    $mode = ${ $class . '::round_mode' } unless defined $mode;

    if (defined $scale) {
        $scale = $scale->can('numify') ? $scale->numify()
                                       : "$scale" if ref($scale);
        $scale = int($scale);
    }

    ($scale, $mode);
}

###############################################################################
# Constructor methods
###############################################################################

sub new {
    # Create a new Math::BigInt object from a string or another Math::BigInt
    # object. See hash keys documented at top.

    # The argument could be an object, so avoid ||, && etc. on it. This would
    # cause costly overloaded code to be called. The only allowed ops are ref()
    # and defined.

    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    # Make "require" work.

    $class -> import() if $IMPORT == 0;

    # Although this use has been discouraged for more than 10 years, people
    # apparently still use it, so we still support it.

    return $class -> bzero() unless @_;

    my ($wanted, @r) = @_;

    if (!defined($wanted)) {
        #if (warnings::enabled("uninitialized")) {
        #    warnings::warn("uninitialized",
        #                   "Use of uninitialized value in new()");
        #}
        return $class -> bzero(@r);
    }

    if (!ref($wanted) && $wanted eq "") {
        #if (warnings::enabled("numeric")) {
        #    warnings::warn("numeric",
        #                   q|Argument "" isn't numeric in new()|);
        #}
        #return $class -> bzero(@r);
        return $class -> bnan(@r);
    }

    # Initialize a new object.

    $self = bless {}, $class;

    # Math::BigInt or subclass

    if (defined(blessed($wanted)) && $wanted -> isa($class)) {

        # We don't copy the accuracy and precision, because a new object should
        # get them from the global configuration.

        $self -> {sign}  = $wanted -> {sign};
        $self -> {value} = $LIB -> _copy($wanted -> {value});
        $self->round(@r) unless @r >= 2 && !defined($r[0]) && !defined($r[1]);
        return $self;
    }

    # Shortcut for non-zero scalar integers with no non-zero exponent.

    if ($wanted =~ / ^
                     ([+-]?)            # optional sign
                     ([1-9][0-9]*)      # non-zero significand
                     (\.0*)?            # ... with optional zero fraction
                     ([Ee][+-]?0+)?     # optional zero exponent
                     \z
                   /x)
    {
        my $sgn = $1;
        my $abs = $2;
        $self->{sign} = $sgn || '+';
        $self->{value} = $LIB->_new($abs);
        $self->round(@r) unless @r >= 2 && !defined($r[0]) && !defined($r[1]);
        return $self;
    }

    # Handle Infs.

    if ($wanted =~ /^\s*([+-]?)inf(inity)?\s*\z/i) {
        my $sgn = $1 || '+';
        $self = $class -> binf($sgn);
        $self->round(@r) unless @r >= 2 && !defined($r[0]) && !defined($r[1]);
        return $self;
    }

    # Handle explicit NaNs (not the ones returned due to invalid input).

    if ($wanted =~ /^\s*([+-]?)nan\s*\z/i) {
        $self = $class -> bnan();
        $self->round(@r) unless @r >= 2 && !defined($r[0]) && !defined($r[1]);
        return $self;
    }

    my @parts;

    if (
        # Handle hexadecimal numbers. We auto-detect hexadecimal numbers if they
        # have a "0x", "0X", "x", or "X" prefix, cf. CORE::oct().

        $wanted =~ /^\s*[+-]?0?[Xx]/ and
        @parts = $class -> _hex_str_to_lib_parts($wanted)

          or

        # Handle octal numbers. We auto-detect octal numbers if they have a
        # "0o", "0O", "o", "O" prefix, cf. CORE::oct().

        $wanted =~ /^\s*[+-]?0?[Oo]/ and
        @parts = $class -> _oct_str_to_lib_parts($wanted)

          or

        # Handle binary numbers. We auto-detect binary numbers if they have a
        # "0b", "0B", "b", or "B" prefix, cf. CORE::oct().

        $wanted =~ /^\s*[+-]?0?[Bb]/ and
        @parts = $class -> _bin_str_to_lib_parts($wanted)

          or

        # At this point, what is left are decimal numbers that aren't handled
        # above and octal floating point numbers that don't have any of the
        # "0o", "0O", "o", or "O" prefixes. First see if it is a decimal number.

        @parts = $class -> _dec_str_to_lib_parts($wanted)
          or

        # See if it is an octal floating point number. The extra check is
        # included because _oct_str_to_lib_parts() accepts octal numbers that
        # don't have a prefix (this is needed to make it work with, e.g.,
        # from_oct() that don't require a prefix). However, Perl requires a
        # prefix for octal floating point literals. For example, "1p+0" is not
        # valid, but "01p+0" and "0__1p+0" are.

        $wanted =~ /^\s*[+-]?0_*\d/ and
        @parts = $class -> _oct_str_to_lib_parts($wanted))
    {
        # The value is an integer iff the exponent is non-negative.

        if ($parts[2] eq '+') {
            $self -> {sign}  = $parts[0];
            $self -> {value} = $LIB -> _lsft($parts[1], $parts[3], 10);
            $self->round(@r) unless @r >= 2 && !defined($r[0]) && !defined($r[1]);
            return $self;
        }

        # If we get here, the value is a valid number, but it is not an integer.

        return $upgrade -> new($wanted, @r) if defined $upgrade;
        return $class -> bnan();
    }

    # If we get here, the value is neither a valid decimal, binary, octal, or
    # hexadecimal number. It is not explicit an Inf or a NaN either.

    return $class -> bnan();
}

# Create a Math::BigInt from a decimal string. This is an equivalent to
# from_hex(), from_oct(), and from_bin(). It is like new() except that it does
# not accept anything but a string representing a finite decimal number.

sub from_dec {
    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    # Don't modify constant (read-only) objects.

    return if $selfref && $self->modify('from_dec');

    my $str = shift;
    my @r   = @_;

    # If called as a class method, initialize a new object.

    $self = $class -> bzero() unless $selfref;

    if (my @parts = $class -> _dec_str_to_lib_parts($str)) {

        # The value is an integer iff the exponent is non-negative.

        if ($parts[2] eq '+') {
            $self -> {sign}  = $parts[0];
            $self -> {value} = $LIB -> _lsft($parts[1], $parts[3], 10);
            return $self -> round(@r);
        }

        return $upgrade -> new($str, @r) if defined $upgrade;
    }

    return $self -> bnan(@r);
}

# Create a Math::BigInt from a hexadecimal string.

sub from_hex {
    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    # Don't modify constant (read-only) objects.

    return if $selfref && $self->modify('from_hex');

    my $str = shift;
    my @r   = @_;

    # If called as a class method, initialize a new object.

    $self = $class -> bzero() unless $selfref;

    if (my @parts = $class -> _hex_str_to_lib_parts($str)) {

        # The value is an integer iff the exponent is non-negative.

        if ($parts[2] eq '+') {
            $self -> {sign}  = $parts[0];
            $self -> {value} = $LIB -> _lsft($parts[1], $parts[3], 10);
            return $self -> round(@r);
        }

        return $upgrade -> new($str, @r) if defined $upgrade;
    }

    return $self -> bnan(@r);
}

# Create a Math::BigInt from an octal string.

sub from_oct {
    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    # Don't modify constant (read-only) objects.

    return if $selfref && $self->modify('from_oct');

    my $str = shift;
    my @r   = @_;

    # If called as a class method, initialize a new object.

    $self = $class -> bzero() unless $selfref;

    if (my @parts = $class -> _oct_str_to_lib_parts($str)) {

        # The value is an integer iff the exponent is non-negative.

        if ($parts[2] eq '+') {
            $self -> {sign}  = $parts[0];
            $self -> {value} = $LIB -> _lsft($parts[1], $parts[3], 10);
            return $self -> round(@r);
        }

        return $upgrade -> new($str, @r) if defined $upgrade;
    }

    return $self -> bnan(@r);
}

# Create a Math::BigInt from a binary string.

sub from_bin {
    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    # Don't modify constant (read-only) objects.

    return if $selfref && $self->modify('from_bin');

    my $str = shift;
    my @r   = @_;

    # If called as a class method, initialize a new object.

    $self = $class -> bzero() unless $selfref;

    if (my @parts = $class -> _bin_str_to_lib_parts($str)) {

        # The value is an integer iff the exponent is non-negative.

        if ($parts[2] eq '+') {
            $self -> {sign}  = $parts[0];
            $self -> {value} = $LIB -> _lsft($parts[1], $parts[3], 10);
            return $self -> round(@r);
        }

        return $upgrade -> new($str, @r) if defined $upgrade;
    }

    return $self -> bnan(@r);
}

# Create a Math::BigInt from a byte string.

sub from_bytes {
    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    # Don't modify constant (read-only) objects.

    return if $selfref && $self->modify('from_bytes');

    croak("from_bytes() requires a newer version of the $LIB library.")
        unless $LIB->can('_from_bytes');

    my $str = shift;
    my @r = @_;

    # If called as a class method, initialize a new object.

    $self = $class -> bzero() unless $selfref;
    $self -> {sign}  = '+';
    $self -> {value} = $LIB -> _from_bytes($str);
    return $self -> round(@r);
}

sub from_base {
    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    # Don't modify constant (read-only) objects.

    return if $selfref && $self->modify('from_base');

    my $str = shift;

    my $base = shift;
    $base = $class->new($base) unless ref($base);

    croak("the base must be a finite integer >= 2")
      if $base < 2 || ! $base -> is_int();

    # If called as a class method, initialize a new object.

    $self = $class -> bzero() unless $selfref;

    # If no collating sequence is given, pass some of the conversions to
    # methods optimized for those cases.

    if (! @_) {
        return $self -> from_bin($str) if $base == 2;
        return $self -> from_oct($str) if $base == 8;
        return $self -> from_hex($str) if $base == 16;
        if ($base == 10) {
            my $tmp = $class -> new($str);
            $self -> {value} = $tmp -> {value};
            $self -> {sign}  = '+';
        }
    }

    croak("from_base() requires a newer version of the $LIB library.")
      unless $LIB->can('_from_base');

    $self -> {sign}  = '+';
    $self -> {value}
      = $LIB->_from_base($str, $base -> {value}, @_ ? shift() : ());
    return $self;
}

sub from_base_num {
    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    # Don't modify constant (read-only) objects.

    return if $selfref && $self->modify('from_base_num');

    # Make sure we have an array of non-negative, finite, numerical objects.

    my $nums = shift;
    $nums = [ @$nums ];         # create new reference

    for my $i (0 .. $#$nums) {
        # Make sure we have an object.
        $nums -> [$i] = $class -> new($nums -> [$i])
          unless ref($nums -> [$i]) && $nums -> [$i] -> isa($class);
        # Make sure we have a finite, non-negative integer.
        croak "the elements must be finite non-negative integers"
          if $nums -> [$i] -> is_neg() || ! $nums -> [$i] -> is_int();
    }

    my $base = shift;
    $base = $class -> new($base) unless ref($base) && $base -> isa($class);

    my @r = @_;

    # If called as a class method, initialize a new object.

    $self = $class -> bzero() unless $selfref;

    croak("from_base_num() requires a newer version of the $LIB library.")
      unless $LIB->can('_from_base_num');

    $self -> {sign}  = '+';
    $self -> {value} = $LIB -> _from_base_num([ map { $_ -> {value} } @$nums ],
                                           $base -> {value});

    return $self -> round(@r);
}

sub bzero {
    # create/assign '+0'

    if (@_ == 0) {
        #carp("Using bzero() as a function is deprecated;",
        #           " use bzero() as a method instead");
        unshift @_, __PACKAGE__;
    }

    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    $self->import() if $IMPORT == 0;            # make require work

    # Don't modify constant (read-only) objects.

    return if $selfref && $self->modify('bzero');

    $self = bless {}, $class unless $selfref;

    $self->{sign} = '+';
    $self->{value} = $LIB->_zero();

    # If rounding parameters are given as arguments, use them. If no rounding
    # parameters are given, and if called as a class method initialize the new
    # instance with the class variables.

    if (@_) {
        croak "can't specify both accuracy and precision"
          if @_ >= 2 && defined $_[0] && defined $_[1];
        $self->{_a} = $_[0];
        $self->{_p} = $_[1];
    } else {
        unless($selfref) {
            $self->{_a} = $class -> accuracy();
            $self->{_p} = $class -> precision();
        }
    }

    return $self;
}

sub bone {
    # Create or assign '+1' (or -1 if given sign '-').

    if (@_ == 0 || (defined($_[0]) && ($_[0] eq '+' || $_[0] eq '-'))) {
        #carp("Using bone() as a function is deprecated;",
        #           " use bone() as a method instead");
        unshift @_, __PACKAGE__;
    }

    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    $self->import() if $IMPORT == 0;            # make require work

    # Don't modify constant (read-only) objects.

    return if $selfref && $self->modify('bone');

    my $sign = '+';             # default
    if (@_) {
        $sign = shift;
        $sign = $sign =~ /^\s*-/ ? "-" : "+";
    }

    $self = bless {}, $class unless $selfref;

    $self->{sign}  = $sign;
    $self->{value} = $LIB->_one();

    # If rounding parameters are given as arguments, use them. If no rounding
    # parameters are given, and if called as a class method initialize the new
    # instance with the class variables.

    if (@_) {
        croak "can't specify both accuracy and precision"
          if @_ >= 2 && defined $_[0] && defined $_[1];
        $self->{_a} = $_[0];
        $self->{_p} = $_[1];
    } else {
        unless($selfref) {
            $self->{_a} = $class -> accuracy();
            $self->{_p} = $class -> precision();
        }
    }

    return $self;
}

sub binf {
    # create/assign a '+inf' or '-inf'

    if (@_ == 0 || (defined($_[0]) && !ref($_[0]) &&
                    $_[0] =~ /^\s*[+-](inf(inity)?)?\s*$/))
    {
        #carp("Using binf() as a function is deprecated;",
        #           " use binf() as a method instead");
        unshift @_, __PACKAGE__;
    }

    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    {
        no strict 'refs';
        if (${"${class}::_trap_inf"}) {
            croak("Tried to create +-inf in $class->binf()");
        }
    }

    $self->import() if $IMPORT == 0;            # make require work

    # Don't modify constant (read-only) objects.

    return if $selfref && $self->modify('binf');

    my $sign = shift;
    $sign = defined $sign && $sign =~ /^\s*-/ ? "-" : "+";

    $self = bless {}, $class unless $selfref;

    $self -> {sign}  = $sign . 'inf';
    $self -> {value} = $LIB -> _zero();

    # If rounding parameters are given as arguments, use them. If no rounding
    # parameters are given, and if called as a class method initialize the new
    # instance with the class variables.

    if (@_) {
        croak "can't specify both accuracy and precision"
          if @_ >= 2 && defined $_[0] && defined $_[1];
        $self->{_a} = $_[0];
        $self->{_p} = $_[1];
    } else {
        unless($selfref) {
            $self->{_a} = $class -> accuracy();
            $self->{_p} = $class -> precision();
        }
    }

    return $self;
}

sub bnan {
    # create/assign a 'NaN'

    if (@_ == 0) {
        #carp("Using bnan() as a function is deprecated;",
        #           " use bnan() as a method instead");
        unshift @_, __PACKAGE__;
    }

    my $self    = shift;
    my $selfref = ref($self);
    my $class   = $selfref || $self;

    {
        no strict 'refs';
        if (${"${class}::_trap_nan"}) {
            croak("Tried to create NaN in $class->bnan()");
        }
    }

    $self->import() if $IMPORT == 0;            # make require work

    # Don't modify constant (read-only) objects.

    return if $selfref && $self->modify('bnan');

    $self = bless {}, $class unless $selfref;

    $self -> {sign}  = $nan;
    $self -> {value} = $LIB -> _zero();

    # If rounding parameters are given as arguments, use them. If no rounding
    # parameters are given, and if called as a class method initialize the new
    # instance with the class variables.

    if (@_) {
        croak "can't specify both accuracy and precision"
          if @_ >= 2 && defined $_[0] && defined $_[1];
        $self->{_a} = $_[0];
        $self->{_p} = $_[1];
    } else {
        unless($selfref) {
            $self->{_a} = $class -> accuracy();
            $self->{_p} = $class -> precision();
        }
    }

    return $self;
}

sub bpi {

    # Called as               Argument list
    # ---------               -------------
    # Math::BigInt->bpi()     ("Math::BigInt")
    # Math::BigInt->bpi(10)   ("Math::BigInt", 10)
    # $x->bpi()               ($x)
    # $x->bpi(10)             ($x, 10)
    # Math::BigInt::bpi()     ()
    # Math::BigInt::bpi(10)   (10)
    #
    # In ambiguous cases, we favour the OO-style, so the following case
    #
    #   $n = Math::BigInt->new("10");
    #   $x = Math::BigInt->bpi($n);
    #
    # which gives an argument list with the single element $n, is resolved as
    #
    #   $n->bpi();

    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    my @r;                      # rounding paramters

    # If bpi() is called as a function ...
    #
    # This cludge is necessary because we still support bpi() as a function. If
    # bpi() is called with either no argument or one argument, and that one
    # argument is either undefined or a scalar that looks like a number, then
    # we assume bpi() is called as a function.

    if (@_ == 0 &&
        (defined($self) && !ref($self) && $self =~ /^\s*[+-]?\d/)
          ||
        !defined($self))
    {
        $r[0]  = $self;
        $class = __PACKAGE__;
        $self  = bless {}, $class;
    }

    # ... or if bpi() is called as a method ...

    else {
        @r = @_;
        if ($selfref) {                     # bpi() called as instance method
            return $self if $self -> modify('bpi');
        } else {                            # bpi() called as class method
            $self  = bless {}, $class;
        }
    }

    return $upgrade -> bpi(@r) if defined $upgrade;

    # hard-wired to "3"
    $self -> {sign}  = '+';
    $self -> {value} = $LIB -> _new("3");
    $self -> round(@r) unless @r >= 2 && !defined($r[0]) && !defined($r[1]);
    return $self;
}

sub copy {
    my $self    = shift;
    my $selfref = ref $self;
    my $class   = $selfref || $self;

    # If called as a class method, the object to copy is the next argument.

    $self = shift() unless $selfref;

    my $copy = bless {}, $class;

    $copy->{sign}  = $self->{sign};
    $copy->{value} = $LIB->_copy($self->{value});
    $copy->{_a}    = $self->{_a} if exists $self->{_a};
    $copy->{_p}    = $self->{_p} if exists $self->{_p};

    return $copy;
}

sub as_number {
    # An object might be asked to return itself as bigint on certain overloaded
    # operations. This does exactly this, so that sub classes can simple inherit
    # it or override with their own integer conversion routine.
    $_[0]->copy();
}

###############################################################################
# Boolean methods
###############################################################################

sub is_zero {
    # return true if arg (BINT or num_str) is zero (array '+', '0')
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    return 0 if $x->{sign} !~ /^\+$/; # -, NaN & +-inf aren't
    $LIB->_is_zero($x->{value});
}

sub is_one {
    # return true if arg (BINT or num_str) is +1, or -1 if sign is given
    my ($class, $x, $sign) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    $sign = '+' if !defined $sign || $sign ne '-';

    return 0 if $x->{sign} ne $sign; # -1 != +1, NaN, +-inf aren't either
    $LIB->_is_one($x->{value});
}

sub is_finite {
    my $x = shift;
    return $x->{sign} eq '+' || $x->{sign} eq '-';
}

sub is_inf {
    # return true if arg (BINT or num_str) is +-inf
    my ($class, $x, $sign) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    if (defined $sign) {
        $sign = '[+-]inf' if $sign eq ''; # +- doesn't matter, only that's inf
        $sign = "[$1]inf" if $sign =~ /^([+-])(inf)?$/; # extract '+' or '-'
        return $x->{sign} =~ /^$sign$/ ? 1 : 0;
    }
    $x->{sign} =~ /^[+-]inf$/ ? 1 : 0; # only +-inf is infinity
}

sub is_nan {
    # return true if arg (BINT or num_str) is NaN
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    $x->{sign} eq $nan ? 1 : 0;
}

sub is_positive {
    # return true when arg (BINT or num_str) is positive (> 0)
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    return 1 if $x->{sign} eq '+inf'; # +inf is positive

    # 0+ is neither positive nor negative
    ($x->{sign} eq '+' && !$x->is_zero()) ? 1 : 0;
}

sub is_negative {
    # return true when arg (BINT or num_str) is negative (< 0)
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    $x->{sign} =~ /^-/ ? 1 : 0; # -inf is negative, but NaN is not
}

sub is_non_negative {
    # Return true if argument is non-negative (>= 0).
    my ($class, $x) = ref($_[0]) ? (undef,$_[0]) : objectify(1,@_);

    return 1 if $x->{sign} =~ /^\+/;
    return 1 if $x -> is_zero();
    return 0;
}

sub is_non_positive {
    # Return true if argument is non-positive (<= 0).
    my ($class, $x) = ref($_[0]) ? (undef,$_[0]) : objectify(1,@_);

    return 1 if $x->{sign} =~ /^\-/;
    return 1 if $x -> is_zero();
    return 0;
}

sub is_odd {
    # return true when arg (BINT or num_str) is odd, false for even
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    return 0 if $x->{sign} !~ /^[+-]$/; # NaN & +-inf aren't
    $LIB->_is_odd($x->{value});
}

sub is_even {
    # return true when arg (BINT or num_str) is even, false for odd
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    return 0 if $x->{sign} !~ /^[+-]$/; # NaN & +-inf aren't
    $LIB->_is_even($x->{value});
}

sub is_int {
    # return true when arg (BINT or num_str) is an integer
    # always true for Math::BigInt, but different for Math::BigFloat objects
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    $x->{sign} =~ /^[+-]$/ ? 1 : 0; # inf/-inf/NaN aren't
}

###############################################################################
# Comparison methods
###############################################################################

sub bcmp {
    # Compares 2 values.  Returns one of undef, <0, =0, >0. (suitable for sort)
    # (BINT or num_str, BINT or num_str) return cond_code

    # set up parameters
    my ($class, $x, $y) = ref($_[0]) && ref($_[0]) eq ref($_[1])
                        ? (ref($_[0]), @_)
                        : objectify(2, @_);

    return $upgrade->bcmp($x, $y) if defined $upgrade &&
      ((!$x->isa($class)) || (!$y->isa($class)));

    if (($x->{sign} !~ /^[+-]$/) || ($y->{sign} !~ /^[+-]$/)) {
        # handle +-inf and NaN
        return    if (($x->{sign} eq $nan) || ($y->{sign} eq $nan));
        return  0 if $x->{sign} eq $y->{sign} && $x->{sign} =~ /^[+-]inf$/;
        return +1 if $x->{sign} eq '+inf';
        return -1 if $x->{sign} eq '-inf';
        return -1 if $y->{sign} eq '+inf';
        return +1;
    }
    # check sign for speed first
    return 1 if $x->{sign} eq '+' && $y->{sign} eq '-'; # does also 0 <=> -y
    return -1 if $x->{sign} eq '-' && $y->{sign} eq '+'; # does also -x <=> 0

    # have same sign, so compare absolute values.  Don't make tests for zero
    # here because it's actually slower than testing in Calc (especially w/ Pari
    # et al)

    # post-normalized compare for internal use (honors signs)
    if ($x->{sign} eq '+') {
        # $x and $y both > 0
        return $LIB->_acmp($x->{value}, $y->{value});
    }

    # $x && $y both < 0
    $LIB->_acmp($y->{value}, $x->{value}); # swapped acmp (lib returns 0, 1, -1)
}

sub bacmp {
    # Compares 2 values, ignoring their signs.
    # Returns one of undef, <0, =0, >0. (suitable for sort)
    # (BINT, BINT) return cond_code

    # set up parameters
    my ($class, $x, $y) = ref($_[0]) && ref($_[0]) eq ref($_[1])
                        ? (ref($_[0]), @_)
                        : objectify(2, @_);

    return $upgrade->bacmp($x, $y) if defined $upgrade &&
      ((!$x->isa($class)) || (!$y->isa($class)));

    if (($x->{sign} !~ /^[+-]$/) || ($y->{sign} !~ /^[+-]$/)) {
        # handle +-inf and NaN
        return   if (($x->{sign} eq $nan) || ($y->{sign} eq $nan));
        return 0 if $x->{sign} =~ /^[+-]inf$/ && $y->{sign} =~ /^[+-]inf$/;
        return 1 if $x->{sign} =~ /^[+-]inf$/ && $y->{sign} !~ /^[+-]inf$/;
        return -1;
    }
    $LIB->_acmp($x->{value}, $y->{value}); # lib does only 0, 1, -1
}

sub beq {
    my $self    = shift;
    my $selfref = ref $self;

    croak 'beq() is an instance method, not a class method' unless $selfref;
    croak 'Wrong number of arguments for beq()' unless @_ == 1;

    my $cmp = $self -> bcmp(shift);
    return defined($cmp) && ! $cmp;
}

sub bne {
    my $self    = shift;
    my $selfref = ref $self;

    croak 'bne() is an instance method, not a class method' unless $selfref;
    croak 'Wrong number of arguments for bne()' unless @_ == 1;

    my $cmp = $self -> bcmp(shift);
    return defined($cmp) && ! $cmp ? '' : 1;
}

sub blt {
    my $self    = shift;
    my $selfref = ref $self;

    croak 'blt() is an instance method, not a class method' unless $selfref;
    croak 'Wrong number of arguments for blt()' unless @_ == 1;

    my $cmp = $self -> bcmp(shift);
    return defined($cmp) && $cmp < 0;
}

sub ble {
    my $self    = shift;
    my $selfref = ref $self;

    croak 'ble() is an instance method, not a class method' unless $selfref;
    croak 'Wrong number of arguments for ble()' unless @_ == 1;

    my $cmp = $self -> bcmp(shift);
    return defined($cmp) && $cmp <= 0;
}

sub bgt {
    my $self    = shift;
    my $selfref = ref $self;

    croak 'bgt() is an instance method, not a class method' unless $selfref;
    croak 'Wrong number of arguments for bgt()' unless @_ == 1;

    my $cmp = $self -> bcmp(shift);
    return defined($cmp) && $cmp > 0;
}

sub bge {
    my $self    = shift;
    my $selfref = ref $self;

    croak 'bge() is an instance method, not a class method'
        unless $selfref;
    croak 'Wrong number of arguments for bge()' unless @_ == 1;

    my $cmp = $self -> bcmp(shift);
    return defined($cmp) && $cmp >= 0;
}

###############################################################################
# Arithmetic methods
###############################################################################

sub bneg {
    # (BINT or num_str) return BINT
    # negate number or make a negated number from string
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    return $x if $x->modify('bneg');

    # for +0 do not negate (to have always normalized +0). Does nothing for 'NaN'
    $x->{sign} =~ tr/+-/-+/ unless ($x->{sign} eq '+' && $LIB->_is_zero($x->{value}));
    $x;
}

sub babs {
    # (BINT or num_str) return BINT
    # make number absolute, or return absolute BINT from string
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    return $x if $x->modify('babs');
    # post-normalized abs for internal use (does nothing for NaN)
    $x->{sign} =~ s/^-/+/;
    $x;
}

sub bsgn {
    # Signum function.

    my $self = shift;

    return $self if $self->modify('bsgn');

    return $self -> bone("+") if $self -> is_pos();
    return $self -> bone("-") if $self -> is_neg();
    return $self;               # zero or NaN
}

sub bnorm {
    # (numstr or BINT) return BINT
    # Normalize number -- no-op here
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);
    $x;
}

sub binc {
    # increment arg by one
    my ($class, $x, $a, $p, $r) = ref($_[0]) ? (ref($_[0]), @_) : objectify(1, @_);
    return $x if $x->modify('binc');

    if ($x->{sign} eq '+') {
        $x->{value} = $LIB->_inc($x->{value});
        return $x->round($a, $p, $r);
    } elsif ($x->{sign} eq '-') {
        $x->{value} = $LIB->_dec($x->{value});
        $x->{sign} = '+' if $LIB->_is_zero($x->{value}); # -1 +1 => -0 => +0
        return $x->round($a, $p, $r);
    }
    # inf, nan handling etc
    $x->badd($class->bone(), $a, $p, $r); # badd does round
}

sub bdec {
    # decrement arg by one
    my ($class, $x, @r) = ref($_[0]) ? (ref($_[0]), @_) : objectify(1, @_);
    return $x if $x->modify('bdec');

    if ($x->{sign} eq '-') {
        # x already < 0
        $x->{value} = $LIB->_inc($x->{value});
    } else {
        return $x->badd($class->bone('-'), @r)
          unless $x->{sign} eq '+'; # inf or NaN
        # >= 0
        if ($LIB->_is_zero($x->{value})) {
            # == 0
            $x->{value} = $LIB->_one();
            $x->{sign} = '-'; # 0 => -1
        } else {
            # > 0
            $x->{value} = $LIB->_dec($x->{value});
        }
    }
    $x->round(@r);
}

#sub bstrcmp {
#    my $self    = shift;
#    my $selfref = ref $self;
#    my $class   = $selfref || $self;
#
#    croak 'bstrcmp() is an instance method, not a class method'
#        unless $selfref;
#    croak 'Wrong number of arguments for bstrcmp()' unless @_ == 1;
#
#    return $self -> bstr() CORE::cmp shift;
#}
#
#sub bstreq {
#    my $self    = shift;
#    my $selfref = ref $self;
#    my $class   = $selfref || $self;
#
#    croak 'bstreq() is an instance method, not a class method'
#        unless $selfref;
#    croak 'Wrong number of arguments for bstreq()' unless @_ == 1;
#
#    my $cmp = $self -> bstrcmp(shift);
#    return defined($cmp) && ! $cmp;
#}
#
#sub bstrne {
#    my $self    = shift;
#    my $selfref = ref $self;
#    my $class   = $selfref || $self;
#
#    croak 'bstrne() is an instance method, not a class method'
#        unless $selfref;
#    croak 'Wrong number of arguments for bstrne()' unless @_ == 1;
#
#    my $cmp = $self -> bstrcmp(shift);
#    return defined($cmp) && ! $cmp ? '' : 1;
#}
#
#sub bstrlt {
#    my $self    = shift;
#    my $selfref = ref $self;
#    my $class   = $selfref || $self;
#
#    croak 'bstrlt() is an instance method, not a class method'
#        unless $selfref;
#    croak 'Wrong number of arguments for bstrlt()' unless @_ == 1;
#
#    my $cmp = $self -> bstrcmp(shift);
#    return defined($cmp) && $cmp < 0;
#}
#
#sub bstrle {
#    my $self    = shift;
#    my $selfref = ref $self;
#    my $class   = $selfref || $self;
#
#    croak 'bstrle() is an instance method, not a class method'
#        unless $selfref;
#    croak 'Wrong number of arguments for bstrle()' unless @_ == 1;
#
#    my $cmp = $self -> bstrcmp(shift);
#    return defined($cmp) && $cmp <= 0;
#}
#
#sub bstrgt {
#    my $self    = shift;
#    my $selfref = ref $self;
#    my $class   = $selfref || $self;
#
#    croak 'bstrgt() is an instance method, not a class method'
#        unless $selfref;
#    croak 'Wrong number of arguments for bstrgt()' unless @_ == 1;
#
#    my $cmp = $self -> bstrcmp(shift);
#    return defined($cmp) && $cmp > 0;
#}
#
#sub bstrge {
#    my $self    = shift;
#    my $selfref = ref $self;
#    my $class   = $selfref || $self;
#
#    croak 'bstrge() is an instance method, not a class method'
#        unless $selfref;
#    croak 'Wrong number of arguments for bstrge()' unless @_ == 1;
#
#    my $cmp = $self -> bstrcmp(shift);
#    return defined($cmp) && $cmp >= 0;
#}

sub badd {

    # add second arg (BINT or string) to first (BINT) (modifies first)
    # return result as BINT

    # set up parameters
    my ($class, $x, $y, @r) = (ref($_[0]), @_);
    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x->modify('badd');
    return $upgrade->badd($upgrade->new($x), $upgrade->new($y), @r) if defined $upgrade &&
      ((!$x->isa($class)) || (!$y->isa($class)));

    $r[3] = $y;                 # no push!
    # inf and NaN handling
    if ($x->{sign} !~ /^[+-]$/ || $y->{sign} !~ /^[+-]$/) {
        # NaN first
        return $x->bnan() if (($x->{sign} eq $nan) || ($y->{sign} eq $nan));
        # inf handling
        if (($x->{sign} =~ /^[+-]inf$/) && ($y->{sign} =~ /^[+-]inf$/)) {
            # +inf++inf or -inf+-inf => same, rest is NaN
            return $x if $x->{sign} eq $y->{sign};
            return $x->bnan();
        }
        # +-inf + something => +inf
        # something +-inf => +-inf
        $x->{sign} = $y->{sign}, return $x if $y->{sign} =~ /^[+-]inf$/;
        return $x;
    }

    my ($sx, $sy) = ($x->{sign}, $y->{sign});  # get signs

    if ($sx eq $sy) {
        $x->{value} = $LIB->_add($x->{value}, $y->{value}); # same sign, abs add
    } else {
        my $a = $LIB->_acmp ($y->{value}, $x->{value}); # absolute compare
        if ($a > 0) {
            $x->{value} = $LIB->_sub($y->{value}, $x->{value}, 1); # abs sub w/ swap
            $x->{sign} = $sy;
        } elsif ($a == 0) {
            # speedup, if equal, set result to 0
            $x->{value} = $LIB->_zero();
            $x->{sign} = '+';
        } else                  # a < 0
        {
            $x->{value} = $LIB->_sub($x->{value}, $y->{value}); # abs sub
        }
    }
    $x->round(@r);
}

sub bsub {
    # (BINT or num_str, BINT or num_str) return BINT
    # subtract second arg from first, modify first

    # set up parameters
    my ($class, $x, $y, @r) = (ref($_[0]), @_);

    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x -> modify('bsub');

    return $upgrade -> bsub($upgrade -> new($x), $upgrade -> new($y), @r)
      if defined $upgrade && (!$x -> isa($class) || !$y -> isa($class));

    return $x -> round(@r) if $y -> is_zero();

    # To correctly handle the lone special case $x -> bsub($x), we note the
    # sign of $x, then flip the sign from $y, and if the sign of $x did change,
    # too, then we caught the special case:

    my $xsign = $x -> {sign};
    $y -> {sign} =~ tr/+-/-+/;  # does nothing for NaN
    if ($xsign ne $x -> {sign}) {
        # special case of $x -> bsub($x) results in 0
        return $x -> bzero(@r) if $xsign =~ /^[+-]$/;
        return $x -> bnan();    # NaN, -inf, +inf
    }
    $x -> badd($y, @r);         # badd does not leave internal zeros
    $y -> {sign} =~ tr/+-/-+/;  # refix $y (does nothing for NaN)
    $x;                         # already rounded by badd() or no rounding
}

sub bmul {
    # multiply the first number by the second number
    # (BINT or num_str, BINT or num_str) return BINT

    # set up parameters
    my ($class, $x, $y, @r) = (ref($_[0]), @_);
    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x->modify('bmul');

    return $x->bnan() if (($x->{sign} eq $nan) || ($y->{sign} eq $nan));

    # inf handling
    if (($x->{sign} =~ /^[+-]inf$/) || ($y->{sign} =~ /^[+-]inf$/)) {
        return $x->bnan() if $x->is_zero() || $y->is_zero();
        # result will always be +-inf:
        # +inf * +/+inf => +inf, -inf * -/-inf => +inf
        # +inf * -/-inf => -inf, -inf * +/+inf => -inf
        return $x->binf() if ($x->{sign} =~ /^\+/ && $y->{sign} =~ /^\+/);
        return $x->binf() if ($x->{sign} =~ /^-/ && $y->{sign} =~ /^-/);
        return $x->binf('-');
    }

    return $upgrade->bmul($x, $upgrade->new($y), @r)
      if defined $upgrade && !$y->isa($class);

    $r[3] = $y;                 # no push here

    $x->{sign} = $x->{sign} eq $y->{sign} ? '+' : '-'; # +1 * +1 or -1 * -1 => +

    $x->{value} = $LIB->_mul($x->{value}, $y->{value}); # do actual math
    $x->{sign} = '+' if $LIB->_is_zero($x->{value});   # no -0

    $x->round(@r);
}

sub bmuladd {
    # multiply two numbers and then add the third to the result
    # (BINT or num_str, BINT or num_str, BINT or num_str) return BINT

    # set up parameters
    my ($class, $x, $y, $z, @r) = objectify(3, @_);

    return $x if $x->modify('bmuladd');

    return $x->bnan() if (($x->{sign} eq $nan) ||
                          ($y->{sign} eq $nan) ||
                          ($z->{sign} eq $nan));

    # inf handling of x and y
    if (($x->{sign} =~ /^[+-]inf$/) || ($y->{sign} =~ /^[+-]inf$/)) {
        return $x->bnan() if $x->is_zero() || $y->is_zero();
        # result will always be +-inf:
        # +inf * +/+inf => +inf, -inf * -/-inf => +inf
        # +inf * -/-inf => -inf, -inf * +/+inf => -inf
        return $x->binf() if ($x->{sign} =~ /^\+/ && $y->{sign} =~ /^\+/);
        return $x->binf() if ($x->{sign} =~ /^-/ && $y->{sign} =~ /^-/);
        return $x->binf('-');
    }
    # inf handling x*y and z
    if (($z->{sign} =~ /^[+-]inf$/)) {
        # something +-inf => +-inf
        $x->{sign} = $z->{sign}, return $x if $z->{sign} =~ /^[+-]inf$/;
    }

    return $upgrade->bmuladd($x, $upgrade->new($y), $upgrade->new($z), @r)
      if defined $upgrade && (!$y->isa($class) || !$z->isa($class) || !$x->isa($class));

    # TODO: what if $y and $z have A or P set?
    $r[3] = $z;                 # no push here

    $x->{sign} = $x->{sign} eq $y->{sign} ? '+' : '-'; # +1 * +1 or -1 * -1 => +

    $x->{value} = $LIB->_mul($x->{value}, $y->{value}); # do actual math
    $x->{sign} = '+' if $LIB->_is_zero($x->{value});   # no -0

    my ($sx, $sz) = ( $x->{sign}, $z->{sign} ); # get signs

    if ($sx eq $sz) {
        $x->{value} = $LIB->_add($x->{value}, $z->{value}); # same sign, abs add
    } else {
        my $a = $LIB->_acmp ($z->{value}, $x->{value}); # absolute compare
        if ($a > 0) {
            $x->{value} = $LIB->_sub($z->{value}, $x->{value}, 1); # abs sub w/ swap
            $x->{sign} = $sz;
        } elsif ($a == 0) {
            # speedup, if equal, set result to 0
            $x->{value} = $LIB->_zero();
            $x->{sign} = '+';
        } else                  # a < 0
        {
            $x->{value} = $LIB->_sub($x->{value}, $z->{value}); # abs sub
        }
    }
    $x->round(@r);
}

sub bdiv {
    # This does floored division, where the quotient is floored, i.e., rounded
    # towards negative infinity. As a consequence, the remainder has the same
    # sign as the divisor.

    # Set up parameters.
    my ($class, $x, $y, @r) = (ref($_[0]), @_);

    # objectify() is costly, so avoid it if we can.
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x -> modify('bdiv');

    my $wantarray = wantarray;          # call only once

    # At least one argument is NaN. Return NaN for both quotient and the
    # modulo/remainder.

    if ($x -> is_nan() || $y -> is_nan()) {
        return $wantarray ? ($x -> bnan(), $class -> bnan()) : $x -> bnan();
    }

    # Divide by zero and modulo zero.
    #
    # Division: Use the common convention that x / 0 is inf with the same sign
    # as x, except when x = 0, where we return NaN. This is also what earlier
    # versions did.
    #
    # Modulo: In modular arithmetic, the congruence relation z = x (mod y)
    # means that there is some integer k such that z - x = k y. If y = 0, we
    # get z - x = 0 or z = x. This is also what earlier versions did, except
    # that 0 % 0 returned NaN.
    #
    #     inf /    0 =  inf                  inf %    0 =  inf
    #       5 /    0 =  inf                    5 %    0 =    5
    #       0 /    0 =  NaN                    0 %    0 =    0
    #      -5 /    0 = -inf                   -5 %    0 =   -5
    #    -inf /    0 = -inf                 -inf %    0 = -inf

    if ($y -> is_zero()) {
        my $rem;
        if ($wantarray) {
            $rem = $x -> copy();
        }
        if ($x -> is_zero()) {
            $x -> bnan();
        } else {
            $x -> binf($x -> {sign});
        }
        return $wantarray ? ($x, $rem) : $x;
    }

    # Numerator (dividend) is +/-inf, and denominator is finite and non-zero.
    # The divide by zero cases are covered above. In all of the cases listed
    # below we return the same as core Perl.
    #
    #     inf / -inf =  NaN                  inf % -inf =  NaN
    #     inf /   -5 = -inf                  inf %   -5 =  NaN
    #     inf /    5 =  inf                  inf %    5 =  NaN
    #     inf /  inf =  NaN                  inf %  inf =  NaN
    #
    #    -inf / -inf =  NaN                 -inf % -inf =  NaN
    #    -inf /   -5 =  inf                 -inf %   -5 =  NaN
    #    -inf /    5 = -inf                 -inf %    5 =  NaN
    #    -inf /  inf =  NaN                 -inf %  inf =  NaN

    if ($x -> is_inf()) {
        my $rem;
        $rem = $class -> bnan() if $wantarray;
        if ($y -> is_inf()) {
            $x -> bnan();
        } else {
            my $sign = $x -> bcmp(0) == $y -> bcmp(0) ? '+' : '-';
            $x -> binf($sign);
        }
        return $wantarray ? ($x, $rem) : $x;
    }

    # Denominator (divisor) is +/-inf. The cases when the numerator is +/-inf
    # are covered above. In the modulo cases (in the right column) we return
    # the same as core Perl, which does floored division, so for consistency we
    # also do floored division in the division cases (in the left column).
    #
    #      -5 /  inf =   -1                   -5 %  inf =  inf
    #       0 /  inf =    0                    0 %  inf =    0
    #       5 /  inf =    0                    5 %  inf =    5
    #
    #      -5 / -inf =    0                   -5 % -inf =   -5
    #       0 / -inf =    0                    0 % -inf =    0
    #       5 / -inf =   -1                    5 % -inf = -inf

    if ($y -> is_inf()) {
        my $rem;
        if ($x -> is_zero() || $x -> bcmp(0) == $y -> bcmp(0)) {
            $rem = $x -> copy() if $wantarray;
            $x -> bzero();
        } else {
            $rem = $class -> binf($y -> {sign}) if $wantarray;
            $x -> bone('-');
        }
        return $wantarray ? ($x, $rem) : $x;
    }

    # At this point, both the numerator and denominator are finite numbers, and
    # the denominator (divisor) is non-zero.

    return $upgrade -> bdiv($upgrade -> new($x), $upgrade -> new($y), @r)
      if defined $upgrade;

    $r[3] = $y;                                   # no push!

    # Inialize remainder.

    my $rem = $class -> bzero();

    # Are both operands the same object, i.e., like $x -> bdiv($x)? If so,
    # flipping the sign of $y also flips the sign of $x.

    my $xsign = $x -> {sign};
    my $ysign = $y -> {sign};

    $y -> {sign} =~ tr/+-/-+/;            # Flip the sign of $y, and see ...
    my $same = $xsign ne $x -> {sign};    # ... if that changed the sign of $x.
    $y -> {sign} = $ysign;                # Re-insert the original sign.

    if ($same) {
        $x -> bone();
    } else {
        ($x -> {value}, $rem -> {value}) =
          $LIB -> _div($x -> {value}, $y -> {value});

        if ($LIB -> _is_zero($rem -> {value})) {
            if ($xsign eq $ysign || $LIB -> _is_zero($x -> {value})) {
                $x -> {sign} = '+';
            } else {
                $x -> {sign} = '-';
            }
        } else {
            if ($xsign eq $ysign) {
                $x -> {sign} = '+';
            } else {
                if ($xsign eq '+') {
                    $x -> badd(1);
                } else {
                    $x -> bsub(1);
                }
                $x -> {sign} = '-';
            }
        }
    }

    $x -> round(@r);

    if ($wantarray) {
        unless ($LIB -> _is_zero($rem -> {value})) {
            if ($xsign ne $ysign) {
                $rem = $y -> copy() -> babs() -> bsub($rem);
            }
            $rem -> {sign} = $ysign;
        }
        $rem -> {_a} = $x -> {_a};
        $rem -> {_p} = $x -> {_p};
        $rem -> round(@r);
        return ($x, $rem);
    }

    return $x;
}

sub btdiv {
    # This does truncated division, where the quotient is truncted, i.e.,
    # rounded towards zero.
    #
    # ($q, $r) = $x -> btdiv($y) returns $q and $r so that $q is int($x / $y)
    # and $q * $y + $r = $x.

    # Set up parameters
    my ($class, $x, $y, @r) = (ref($_[0]), @_);

    # objectify is costly, so avoid it if we can.
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x -> modify('btdiv');

    my $wantarray = wantarray;          # call only once

    # At least one argument is NaN. Return NaN for both quotient and the
    # modulo/remainder.

    if ($x -> is_nan() || $y -> is_nan()) {
        return $wantarray ? ($x -> bnan(), $class -> bnan()) : $x -> bnan();
    }

    # Divide by zero and modulo zero.
    #
    # Division: Use the common convention that x / 0 is inf with the same sign
    # as x, except when x = 0, where we return NaN. This is also what earlier
    # versions did.
    #
    # Modulo: In modular arithmetic, the congruence relation z = x (mod y)
    # means that there is some integer k such that z - x = k y. If y = 0, we
    # get z - x = 0 or z = x. This is also what earlier versions did, except
    # that 0 % 0 returned NaN.
    #
    #     inf / 0 =  inf                     inf % 0 =  inf
    #       5 / 0 =  inf                       5 % 0 =    5
    #       0 / 0 =  NaN                       0 % 0 =    0
    #      -5 / 0 = -inf                      -5 % 0 =   -5
    #    -inf / 0 = -inf                    -inf % 0 = -inf

    if ($y -> is_zero()) {
        my $rem;
        if ($wantarray) {
            $rem = $x -> copy();
        }
        if ($x -> is_zero()) {
            $x -> bnan();
        } else {
            $x -> binf($x -> {sign});
        }
        return $wantarray ? ($x, $rem) : $x;
    }

    # Numerator (dividend) is +/-inf, and denominator is finite and non-zero.
    # The divide by zero cases are covered above. In all of the cases listed
    # below we return the same as core Perl.
    #
    #     inf / -inf =  NaN                  inf % -inf =  NaN
    #     inf /   -5 = -inf                  inf %   -5 =  NaN
    #     inf /    5 =  inf                  inf %    5 =  NaN
    #     inf /  inf =  NaN                  inf %  inf =  NaN
    #
    #    -inf / -inf =  NaN                 -inf % -inf =  NaN
    #    -inf /   -5 =  inf                 -inf %   -5 =  NaN
    #    -inf /    5 = -inf                 -inf %    5 =  NaN
    #    -inf /  inf =  NaN                 -inf %  inf =  NaN

    if ($x -> is_inf()) {
        my $rem;
        $rem = $class -> bnan() if $wantarray;
        if ($y -> is_inf()) {
            $x -> bnan();
        } else {
            my $sign = $x -> bcmp(0) == $y -> bcmp(0) ? '+' : '-';
            $x -> binf($sign);
        }
        return $wantarray ? ($x, $rem) : $x;
    }

    # Denominator (divisor) is +/-inf. The cases when the numerator is +/-inf
    # are covered above. In the modulo cases (in the right column) we return
    # the same as core Perl, which does floored division, so for consistency we
    # also do floored division in the division cases (in the left column).
    #
    #      -5 /  inf =    0                   -5 %  inf =  -5
    #       0 /  inf =    0                    0 %  inf =   0
    #       5 /  inf =    0                    5 %  inf =   5
    #
    #      -5 / -inf =    0                   -5 % -inf =  -5
    #       0 / -inf =    0                    0 % -inf =   0
    #       5 / -inf =    0                    5 % -inf =   5

    if ($y -> is_inf()) {
        my $rem;
        $rem = $x -> copy() if $wantarray;
        $x -> bzero();
        return $wantarray ? ($x, $rem) : $x;
    }

    return $upgrade -> btdiv($upgrade -> new($x), $upgrade -> new($y), @r)
      if defined $upgrade;

    $r[3] = $y;                 # no push!

    # Inialize remainder.

    my $rem = $class -> bzero();

    # Are both operands the same object, i.e., like $x -> bdiv($x)? If so,
    # flipping the sign of $y also flips the sign of $x.

    my $xsign = $x -> {sign};
    my $ysign = $y -> {sign};

    $y -> {sign} =~ tr/+-/-+/;            # Flip the sign of $y, and see ...
    my $same = $xsign ne $x -> {sign};    # ... if that changed the sign of $x.
    $y -> {sign} = $ysign;                # Re-insert the original sign.

    if ($same) {
        $x -> bone();
    } else {
        ($x -> {value}, $rem -> {value}) =
          $LIB -> _div($x -> {value}, $y -> {value});

        $x -> {sign} = $xsign eq $ysign ? '+' : '-';
        $x -> {sign} = '+' if $LIB -> _is_zero($x -> {value});
        $x -> round(@r);
    }

    if (wantarray) {
        $rem -> {sign} = $xsign;
        $rem -> {sign} = '+' if $LIB -> _is_zero($rem -> {value});
        $rem -> {_a} = $x -> {_a};
        $rem -> {_p} = $x -> {_p};
        $rem -> round(@r);
        return ($x, $rem);
    }

    return $x;
}

sub bmod {
    # This is the remainder after floored division.

    # Set up parameters.
    my ($class, $x, $y, @r) = (ref($_[0]), @_);

    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x -> modify('bmod');
    $r[3] = $y;                 # no push!

    # At least one argument is NaN.

    if ($x -> is_nan() || $y -> is_nan()) {
        return $x -> bnan();
    }

    # Modulo zero. See documentation for bdiv().

    if ($y -> is_zero()) {
        return $x;
    }

    # Numerator (dividend) is +/-inf.

    if ($x -> is_inf()) {
        return $x -> bnan();
    }

    # Denominator (divisor) is +/-inf.

    if ($y -> is_inf()) {
        if ($x -> is_zero() || $x -> bcmp(0) == $y -> bcmp(0)) {
            return $x;
        } else {
            return $x -> binf($y -> sign());
        }
    }

    # Calc new sign and in case $y == +/- 1, return $x.

    $x -> {value} = $LIB -> _mod($x -> {value}, $y -> {value});
    if ($LIB -> _is_zero($x -> {value})) {
        $x -> {sign} = '+';     # do not leave -0
    } else {
        $x -> {value} = $LIB -> _sub($y -> {value}, $x -> {value}, 1) # $y-$x
          if ($x -> {sign} ne $y -> {sign});
        $x -> {sign} = $y -> {sign};
    }

    $x -> round(@r);
}

sub btmod {
    # Remainder after truncated division.

    # set up parameters
    my ($class, $x, $y, @r) = (ref($_[0]), @_);

    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x -> modify('btmod');

    # At least one argument is NaN.

    if ($x -> is_nan() || $y -> is_nan()) {
        return $x -> bnan();
    }

    # Modulo zero. See documentation for btdiv().

    if ($y -> is_zero()) {
        return $x;
    }

    # Numerator (dividend) is +/-inf.

    if ($x -> is_inf()) {
        return $x -> bnan();
    }

    # Denominator (divisor) is +/-inf.

    if ($y -> is_inf()) {
        return $x;
    }

    return $upgrade -> btmod($upgrade -> new($x), $upgrade -> new($y), @r)
      if defined $upgrade;

    $r[3] = $y;                 # no push!

    my $xsign = $x -> {sign};

    $x -> {value} = $LIB -> _mod($x -> {value}, $y -> {value});

    $x -> {sign} = $xsign;
    $x -> {sign} = '+' if $LIB -> _is_zero($x -> {value});
    $x -> round(@r);
    return $x;
}

sub bmodinv {
    # Return modular multiplicative inverse:
    #
    #   z is the modular inverse of x (mod y) if and only if
    #
    #       x*z ≡ 1  (mod y)
    #
    # If the modulus y is larger than one, x and z are relative primes (i.e.,
    # their greatest common divisor is one).
    #
    # If no modular multiplicative inverse exists, NaN is returned.

    # set up parameters
    my ($class, $x, $y, @r) = (undef, @_);
    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x->modify('bmodinv');

    # Return NaN if one or both arguments is +inf, -inf, or nan.

    return $x->bnan() if ($y->{sign} !~ /^[+-]$/ ||
                          $x->{sign} !~ /^[+-]$/);

    # Return NaN if $y is zero; 1 % 0 makes no sense.

    return $x->bnan() if $y->is_zero();

    # Return 0 in the trivial case. $x % 1 or $x % -1 is zero for all finite
    # integers $x.

    return $x->bzero() if ($y->is_one() ||
                           $y->is_one('-'));

    # Return NaN if $x = 0, or $x modulo $y is zero. The only valid case when
    # $x = 0 is when $y = 1 or $y = -1, but that was covered above.
    #
    # Note that computing $x modulo $y here affects the value we'll feed to
    # $LIB->_modinv() below when $x and $y have opposite signs. E.g., if $x =
    # 5 and $y = 7, those two values are fed to _modinv(), but if $x = -5 and
    # $y = 7, the values fed to _modinv() are $x = 2 (= -5 % 7) and $y = 7.
    # The value if $x is affected only when $x and $y have opposite signs.

    $x->bmod($y);
    return $x->bnan() if $x->is_zero();

    # Compute the modular multiplicative inverse of the absolute values. We'll
    # correct for the signs of $x and $y later. Return NaN if no GCD is found.

    ($x->{value}, $x->{sign}) = $LIB->_modinv($x->{value}, $y->{value});
    return $x->bnan() if !defined $x->{value};

    # Library inconsistency workaround: _modinv() in Math::BigInt::GMP versions
    # <= 1.32 return undef rather than a "+" for the sign.

    $x->{sign} = '+' unless defined $x->{sign};

    # When one or both arguments are negative, we have the following
    # relations.  If x and y are positive:
    #
    #   modinv(-x, -y) = -modinv(x, y)
    #   modinv(-x, y) = y - modinv(x, y)  = -modinv(x, y) (mod y)
    #   modinv( x, -y) = modinv(x, y) - y  =  modinv(x, y) (mod -y)

    # We must swap the sign of the result if the original $x is negative.
    # However, we must compensate for ignoring the signs when computing the
    # inverse modulo. The net effect is that we must swap the sign of the
    # result if $y is negative.

    $x -> bneg() if $y->{sign} eq '-';

    # Compute $x modulo $y again after correcting the sign.

    $x -> bmod($y) if $x->{sign} ne $y->{sign};

    return $x;
}

sub bmodpow {
    # Modular exponentiation. Raises a very large number to a very large exponent
    # in a given very large modulus quickly, thanks to binary exponentiation.
    # Supports negative exponents.
    my ($class, $num, $exp, $mod, @r) = objectify(3, @_);

    return $num if $num->modify('bmodpow');

    # When the exponent 'e' is negative, use the following relation, which is
    # based on finding the multiplicative inverse 'd' of 'b' modulo 'm':
    #
    #    b^(-e) (mod m) = d^e (mod m) where b*d = 1 (mod m)

    $num->bmodinv($mod) if ($exp->{sign} eq '-');

    # Check for valid input. All operands must be finite, and the modulus must be
    # non-zero.

    return $num->bnan() if ($num->{sign} =~ /NaN|inf/ || # NaN, -inf, +inf
                            $exp->{sign} =~ /NaN|inf/ || # NaN, -inf, +inf
                            $mod->{sign} =~ /NaN|inf/);  # NaN, -inf, +inf

    # Modulo zero. See documentation for Math::BigInt's bmod() method.

    if ($mod -> is_zero()) {
        if ($num -> is_zero()) {
            return $class -> bnan();
        } else {
            return $num -> copy();
        }
    }

    # Compute 'a (mod m)', ignoring the signs on 'a' and 'm'. If the resulting
    # value is zero, the output is also zero, regardless of the signs on 'a' and
    # 'm'.

    my $value = $LIB->_modpow($num->{value}, $exp->{value}, $mod->{value});
    my $sign  = '+';

    # If the resulting value is non-zero, we have four special cases, depending
    # on the signs on 'a' and 'm'.

    unless ($LIB->_is_zero($value)) {

        # There is a negative sign on 'a' (= $num**$exp) only if the number we
        # are exponentiating ($num) is negative and the exponent ($exp) is odd.

        if ($num->{sign} eq '-' && $exp->is_odd()) {

            # When both the number 'a' and the modulus 'm' have a negative sign,
            # use this relation:
            #
            #    -a (mod -m) = -(a (mod m))

            if ($mod->{sign} eq '-') {
                $sign = '-';
            }

            # When only the number 'a' has a negative sign, use this relation:
            #
            #    -a (mod m) = m - (a (mod m))

            else {
                # Use copy of $mod since _sub() modifies the first argument.
                my $mod = $LIB->_copy($mod->{value});
                $value = $LIB->_sub($mod, $value);
                $sign  = '+';
            }

        } else {

            # When only the modulus 'm' has a negative sign, use this relation:
            #
            #    a (mod -m) = (a (mod m)) - m
            #               = -(m - (a (mod m)))

            if ($mod->{sign} eq '-') {
                # Use copy of $mod since _sub() modifies the first argument.
                my $mod = $LIB->_copy($mod->{value});
                $value = $LIB->_sub($mod, $value);
                $sign  = '-';
            }

            # When neither the number 'a' nor the modulus 'm' have a negative
            # sign, directly return the already computed value.
            #
            #    (a (mod m))

        }

    }

    $num->{value} = $value;
    $num->{sign}  = $sign;

    return $num -> round(@r);
}

sub bpow {
    # (BINT or num_str, BINT or num_str) return BINT
    # compute power of two numbers -- stolen from Knuth Vol 2 pg 233
    # modifies first argument

    # set up parameters
    my ($class, $x, $y, @r) = (ref($_[0]), @_);
    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x -> modify('bpow');

    # $x and/or $y is a NaN
    return $x -> bnan() if $x -> is_nan() || $y -> is_nan();

    # $x and/or $y is a +/-Inf
    if ($x -> is_inf("-")) {
        return $x -> bzero()   if $y -> is_negative();
        return $x -> bnan()    if $y -> is_zero();
        return $x            if $y -> is_odd();
        return $x -> bneg();
    } elsif ($x -> is_inf("+")) {
        return $x -> bzero()   if $y -> is_negative();
        return $x -> bnan()    if $y -> is_zero();
        return $x;
    } elsif ($y -> is_inf("-")) {
        return $x -> bnan()    if $x -> is_one("-");
        return $x -> binf("+") if $x -> is_zero();
        return $x -> bone()    if $x -> is_one("+");
        return $x -> bzero();
    } elsif ($y -> is_inf("+")) {
        return $x -> bnan()    if $x -> is_one("-");
        return $x -> bzero()   if $x -> is_zero();
        return $x -> bone()    if $x -> is_one("+");
        return $x -> binf("+");
    }

    if ($x -> is_zero()) {
        return $x -> bone() if $y -> is_zero();
        return $x -> binf() if $y -> is_negative();
        return $x;
    }

    if ($x -> is_one("+")) {
        return $x;
    }

    if ($x -> is_one("-")) {
        return $x if $y -> is_odd();
        return $x -> bneg();
    }

    # We don't support finite non-integers, so upgrade or return zero. The
    # reason for returning zero, not NaN, is that all output is in the open
    # interval (0,1), and truncating that to integer gives zero.

    if ($y->{sign} eq '-' || !$y -> isa($class)) {
        return $upgrade -> bpow($upgrade -> new($x), $y, @r)
          if defined $upgrade;
        return $x -> bzero();
    }

    $r[3] = $y;                 # no push!

    $x->{value} = $LIB -> _pow($x->{value}, $y->{value});
    $x->{sign}  = $x -> is_negative() && $y -> is_odd() ? '-' : '+';
    $x -> round(@r);
}

sub blog {
    # Return the logarithm of the operand. If a second operand is defined, that
    # value is used as the base, otherwise the base is assumed to be Euler's
    # constant.

    my ($class, $x, $base, @r);

    # Don't objectify the base, since an undefined base, as in $x->blog() or
    # $x->blog(undef) signals that the base is Euler's number.

    if (!ref($_[0]) && $_[0] =~ /^[A-Za-z]|::/) {
        # E.g., Math::BigInt->blog(256, 2)
        ($class, $x, $base, @r) =
          defined $_[2] ? objectify(2, @_) : objectify(1, @_);
    } else {
        # E.g., Math::BigInt::blog(256, 2) or $x->blog(2)
        ($class, $x, $base, @r) =
          defined $_[1] ? objectify(2, @_) : objectify(1, @_);
    }

    return $x if $x->modify('blog');

    # Handle all exception cases and all trivial cases. I have used Wolfram
    # Alpha (http://www.wolframalpha.com) as the reference for these cases.

    return $x -> bnan() if $x -> is_nan();

    if (defined $base) {
        $base = $class -> new($base) unless ref $base;
        if ($base -> is_nan() || $base -> is_one()) {
            return $x -> bnan();
        } elsif ($base -> is_inf() || $base -> is_zero()) {
            return $x -> bnan() if $x -> is_inf() || $x -> is_zero();
            return $x -> bzero();
        } elsif ($base -> is_negative()) {        # -inf < base < 0
            return $x -> bzero() if $x -> is_one(); #     x = 1
            return $x -> bone()  if $x == $base;    #     x = base
            return $x -> bnan();                    #     otherwise
        }
        return $x -> bone() if $x == $base; # 0 < base && 0 < x < inf
    }

    # We now know that the base is either undefined or >= 2 and finite.

    return $x -> binf('+') if $x -> is_inf(); #   x = +/-inf
    return $x -> bnan()    if $x -> is_neg(); #   -inf < x < 0
    return $x -> bzero()   if $x -> is_one(); #   x = 1
    return $x -> binf('-') if $x -> is_zero(); #   x = 0

    # At this point we are done handling all exception cases and trivial cases.

    return $upgrade -> blog($upgrade -> new($x), $base, @r) if defined $upgrade;

    # fix for bug #24969:
    # the default base is e (Euler's number) which is not an integer
    if (!defined $base) {
        require Math::BigFloat;
        my $u = Math::BigFloat->blog(Math::BigFloat->new($x))->as_int();
        # modify $x in place
        $x->{value} = $u->{value};
        $x->{sign} = $u->{sign};
        return $x;
    }

    my ($rc) = $LIB->_log_int($x->{value}, $base->{value});
    return $x->bnan() unless defined $rc; # not possible to take log?
    $x->{value} = $rc;
    $x->round(@r);
}

sub bexp {
    # Calculate e ** $x (Euler's number to the power of X), truncated to
    # an integer value.
    my ($class, $x, @r) = ref($_[0]) ? (ref($_[0]), @_) : objectify(1, @_);
    return $x if $x->modify('bexp');

    # inf, -inf, NaN, <0 => NaN
    return $x->bnan() if $x->{sign} eq 'NaN';
    return $x->bone() if $x->is_zero();
    return $x if $x->{sign} eq '+inf';
    return $x->bzero() if $x->{sign} eq '-inf';

    my $u;
    {
        # run through Math::BigFloat unless told otherwise
        require Math::BigFloat unless defined $upgrade;
        local $upgrade = 'Math::BigFloat' unless defined $upgrade;
        # calculate result, truncate it to integer
        $u = $upgrade->bexp($upgrade->new($x), @r);
    }

    if (defined $upgrade) {
        $x = $u;
    } else {
        $u = $u->as_int();
        # modify $x in place
        $x->{value} = $u->{value};
        $x->round(@r);
    }
}

sub bnok {
    # Calculate n over k (binomial coefficient or "choose" function) as
    # integer.

    # Set up parameters.
    my ($self, $n, $k, @r) = (ref($_[0]), @_);

    # Objectify is costly, so avoid it.
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($self, $n, $k, @r) = objectify(2, @_);
    }

    return $n if $n->modify('bnok');

    # All cases where at least one argument is NaN.

    return $n->bnan() if $n->{sign} eq 'NaN' || $k->{sign} eq 'NaN';

    # All cases where at least one argument is +/-inf.

    if ($n -> is_inf()) {
        if ($k -> is_inf()) {                   # bnok(+/-inf,+/-inf)
            return $n -> bnan();
        } elsif ($k -> is_neg()) {              # bnok(+/-inf,k), k < 0
            return $n -> bzero();
        } elsif ($k -> is_zero()) {             # bnok(+/-inf,k), k = 0
            return $n -> bone();
        } else {
            if ($n -> is_inf("+")) {            # bnok(+inf,k), 0 < k < +inf
                return $n -> binf("+");
            } else {                            # bnok(-inf,k), k > 0
                my $sign = $k -> is_even() ? "+" : "-";
                return $n -> binf($sign);
            }
        }
    }

    elsif ($k -> is_inf()) {            # bnok(n,+/-inf), -inf <= n <= inf
        return $n -> bnan();
    }

    # At this point, both n and k are real numbers.

    my $sign = 1;

    if ($n >= 0) {
        if ($k < 0 || $k > $n) {
            return $n -> bzero();
        }
    } else {

        if ($k >= 0) {

            # n < 0 and k >= 0: bnok(n,k) = (-1)^k * bnok(-n+k-1,k)

            $sign = (-1) ** $k;
            $n -> bneg() -> badd($k) -> bdec();

        } elsif ($k <= $n) {

            # n < 0 and k <= n: bnok(n,k) = (-1)^(n-k) * bnok(-k-1,n-k)

            $sign = (-1) ** ($n - $k);
            my $x0 = $n -> copy();
            $n -> bone() -> badd($k) -> bneg();
            $k = $k -> copy();
            $k -> bneg() -> badd($x0);

        } else {

            # n < 0 and n < k < 0:

            return $n -> bzero();
        }
    }

    $n->{value} = $LIB->_nok($n->{value}, $k->{value});
    $n -> bneg() if $sign == -1;

    $n->round(@r);
}

sub buparrow {
    my $a = shift;
    my $y = $a -> uparrow(@_);
    $a -> {value} = $y -> {value};
    return $a;
}

sub uparrow {
    # Knuth's up-arrow notation buparrow(a, n, b)
    #
    # The following is a simple, recursive implementation of the up-arrow
    # notation, just to show the idea. Such implementations cause "Deep
    # recursion on subroutine ..." warnings, so we use a faster, non-recursive
    # algorithm below with @_ as a stack.
    #
    #   sub buparrow {
    #       my ($a, $n, $b) = @_;
    #       return $a ** $b if $n == 1;
    #       return $a * $b  if $n == 0;
    #       return 1        if $b == 0;
    #       return buparrow($a, $n - 1, buparrow($a, $n, $b - 1));
    #   }

    my ($a, $b, $n) = @_;
    my $class = ref $a;
    croak("a must be non-negative") if $a < 0;
    croak("n must be non-negative") if $n < 0;
    croak("b must be non-negative") if $b < 0;

    while (@_ >= 3) {

        # return $a ** $b if $n == 1;

        if ($_[-2] == 1) {
            my ($a, $n, $b) = splice @_, -3;
            push @_, $a ** $b;
            next;
        }

        # return $a * $b if $n == 0;

        if ($_[-2] == 0) {
            my ($a, $n, $b) = splice @_, -3;
            push @_, $a * $b;
            next;
        }

        # return 1 if $b == 0;

        if ($_[-1] == 0) {
            splice @_, -3;
            push @_, $class -> bone();
            next;
        }

        # return buparrow($a, $n - 1, buparrow($a, $n, $b - 1));

        my ($a, $n, $b) = splice @_, -3;
        push @_, ($a, $n - 1,
                      $a, $n, $b - 1);

    }

    pop @_;
}

sub backermann {
    my $m = shift;
    my $y = $m -> ackermann(@_);
    $m -> {value} = $y -> {value};
    return $m;
}

sub ackermann {
    # Ackermann's function ackermann(m, n)
    #
    # The following is a simple, recursive implementation of the ackermann
    # function, just to show the idea. Such implementations cause "Deep
    # recursion on subroutine ..." warnings, so we use a faster, non-recursive
    # algorithm below with @_ as a stack.
    #
    # sub ackermann {
    #     my ($m, $n) = @_;
    #     return $n + 1                                  if $m == 0;
    #     return ackermann($m - 1, 1)                    if $m > 0 && $n == 0;
    #     return ackermann($m - 1, ackermann($m, $n - 1) if $m > 0 && $n > 0;
    # }

    my ($m, $n) = @_;
    my $class = ref $m;
    croak("m must be non-negative") if $m < 0;
    croak("n must be non-negative") if $n < 0;

    my $two      = $class -> new("2");
    my $three    = $class -> new("3");
    my $thirteen = $class -> new("13");

    $n = pop;
    $n = $class -> new($n) unless ref($n);
    while (@_) {
        my $m = pop;
        if ($m > $three) {
            push @_, (--$m) x $n;
            while (--$m >= $three) {
                push @_, $m;
            }
            $n = $thirteen;
        } elsif ($m == $three) {
            $n = $class -> bone() -> blsft($n + $three) -> bsub($three);
        } elsif ($m == $two) {
            $n -> bmul($two) -> badd($three);
        } elsif ($m >= 0) {
            $n -> badd($m) -> binc();
        } else {
            die "negative m!";
        }
    }
    $n;
}

sub bsin {
    # Calculate sinus(x) to N digits. Unless upgrading is in effect, returns the
    # result truncated to an integer.
    my ($class, $x, @r) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    return $x if $x->modify('bsin');

    return $x->bnan() if $x->{sign} !~ /^[+-]\z/; # -inf +inf or NaN => NaN

    return $upgrade -> bsin($upgrade -> new($x, @r)) if defined $upgrade;

    require Math::BigFloat;
    # calculate the result and truncate it to integer
    my $t = Math::BigFloat->new($x)->bsin(@r)->as_int();

    $x->bone() if $t->is_one();
    $x->bzero() if $t->is_zero();
    $x->round(@r);
}

sub bcos {
    # Calculate cosinus(x) to N digits. Unless upgrading is in effect, returns the
    # result truncated to an integer.
    my ($class, $x, @r) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    return $x if $x->modify('bcos');

    return $x->bnan() if $x->{sign} !~ /^[+-]\z/; # -inf +inf or NaN => NaN

    return $upgrade -> bcos($upgrade -> new($x), @r) if defined $upgrade;

    require Math::BigFloat;
    # calculate the result and truncate it to integer
    my $t = Math::BigFloat -> bcos(Math::BigFloat -> new($x), @r) -> as_int();

    $x->bone() if $t->is_one();
    $x->bzero() if $t->is_zero();
    $x->round(@r);
}

sub batan {
    # Calculate arcus tangens of x to N digits. Unless upgrading is in effect, returns the
    # result truncated to an integer.
    my ($class, $x, @r) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    return $x if $x->modify('batan');

    return $x->bnan() if $x->{sign} !~ /^[+-]\z/; # -inf +inf or NaN => NaN

    return $upgrade->new($x)->batan(@r) if defined $upgrade;

    # calculate the result and truncate it to integer
    my $tmp = Math::BigFloat->new($x)->batan(@r);

    $x->{value} = $LIB->_new($tmp->as_int()->bstr());
    $x->round(@r);
}

sub batan2 {
    # calculate arcus tangens of ($y/$x)

    # set up parameters
    my ($class, $y, $x, @r) = (ref($_[0]), @_);
    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $y, $x, @r) = objectify(2, @_);
    }

    return $y if $y->modify('batan2');

    return $y->bnan() if ($y->{sign} eq $nan) || ($x->{sign} eq $nan);

    # Y    X
    # != 0 -inf result is +- pi
    if ($x->is_inf() || $y->is_inf()) {
        # upgrade to Math::BigFloat etc.
        return $upgrade->new($y)->batan2($upgrade->new($x), @r) if defined $upgrade;
        if ($y->is_inf()) {
            if ($x->{sign} eq '-inf') {
                # calculate 3 pi/4 => 2.3.. => 2
                $y->bone(substr($y->{sign}, 0, 1));
                $y->bmul($class->new(2));
            } elsif ($x->{sign} eq '+inf') {
                # calculate pi/4 => 0.7 => 0
                $y->bzero();
            } else {
                # calculate pi/2 => 1.5 => 1
                $y->bone(substr($y->{sign}, 0, 1));
            }
        } else {
            if ($x->{sign} eq '+inf') {
                # calculate pi/4 => 0.7 => 0
                $y->bzero();
            } else {
                # PI => 3.1415.. => 3
                $y->bone(substr($y->{sign}, 0, 1));
                $y->bmul($class->new(3));
            }
        }
        return $y;
    }

    return $upgrade->new($y)->batan2($upgrade->new($x), @r) if defined $upgrade;

    require Math::BigFloat;
    my $r = Math::BigFloat->new($y)
      ->batan2(Math::BigFloat->new($x), @r)
        ->as_int();

    $x->{value} = $r->{value};
    $x->{sign} = $r->{sign};

    $x;
}

sub bsqrt {
    # calculate square root of $x
    my ($class, $x, @r) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    return $x if $x->modify('bsqrt');

    return $x->bnan() if $x->{sign} !~ /^\+/; # -x or -inf or NaN => NaN
    return $x if $x->{sign} eq '+inf';        # sqrt(+inf) == inf

    return $upgrade->bsqrt($x, @r) if defined $upgrade;

    $x->{value} = $LIB->_sqrt($x->{value});
    $x->round(@r);
}

sub broot {
    # calculate $y'th root of $x

    # set up parameters
    my ($class, $x, $y, @r) = (ref($_[0]), @_);

    $y = $class->new(2) unless defined $y;

    # objectify is costly, so avoid it
    if ((!ref($x)) || (ref($x) ne ref($y))) {
        ($class, $x, $y, @r) = objectify(2, $class || $class, @_);
    }

    return $x if $x->modify('broot');

    # NaN handling: $x ** 1/0, x or y NaN, or y inf/-inf or y == 0
    return $x->bnan() if $x->{sign} !~ /^\+/ || $y->is_zero() ||
      $y->{sign} !~ /^\+$/;

    return $x->round(@r)
      if $x->is_zero() || $x->is_one() || $x->is_inf() || $y->is_one();

    return $upgrade->new($x)->broot($upgrade->new($y), @r) if defined $upgrade;

    $x->{value} = $LIB->_root($x->{value}, $y->{value});
    $x->round(@r);
}

sub bfac {
    # (BINT or num_str, BINT or num_str) return BINT
    # compute factorial number from $x, modify $x in place
    my ($class, $x, @r) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    return $x if $x->modify('bfac') || $x->{sign} eq '+inf'; # inf => inf
    return $x->bnan() if $x->{sign} ne '+'; # NaN, <0 => NaN

    $x->{value} = $LIB->_fac($x->{value});
    $x->round(@r);
}

sub bdfac {
    # compute double factorial, modify $x in place
    my ($class, $x, @r) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    return $x if $x->modify('bdfac') || $x->{sign} eq '+inf'; # inf => inf
    return $x->bnan() if $x->is_nan() || $x <= -2;
    return $x->bone() if $x <= 1;

    croak("bdfac() requires a newer version of the $LIB library.")
        unless $LIB->can('_dfac');

    $x->{value} = $LIB->_dfac($x->{value});
    $x->round(@r);
}

sub btfac {
    # compute triple factorial, modify $x in place
    my ($class, $x, @r) = objectify(1, @_);

    return $x if $x->modify('btfac') || $x->{sign} eq '+inf'; # inf => inf

    return $x->bnan() if $x->is_nan();

    my $k = $class -> new("3");
    return $x->bnan() if $x <= -$k;

    my $one = $class -> bone();
    return $x->bone() if $x <= $one;

    my $f = $x -> copy();
    while ($f -> bsub($k) > $one) {
        $x -> bmul($f);
    }
    $x->round(@r);
}

sub bmfac {
    # compute multi-factorial
    my ($class, $x, $k, @r) = objectify(2, @_);

    return $x if $x->modify('bmfac') || $x->{sign} eq '+inf';
    return $x->bnan() if $x->is_nan() || $k->is_nan() || $k < 1 || $x <= -$k;

    my $one = $class -> bone();
    return $x->bone() if $x <= $one;

    my $f = $x -> copy();
    while ($f -> bsub($k) > $one) {
        $x -> bmul($f);
    }
    $x->round(@r);
}

sub bfib {
    # compute Fibonacci number(s)
    my ($class, $x, @r) = objectify(1, @_);

    croak("bfib() requires a newer version of the $LIB library.")
        unless $LIB->can('_fib');

    return $x if $x->modify('bfib');

    # List context.

    if (wantarray) {
        return () if $x ->  is_nan();
        croak("bfib() can't return an infinitely long list of numbers")
            if $x -> is_inf();

        # Use the backend library to compute the first $x Fibonacci numbers.

        my @values = $LIB->_fib($x->{value});

        # Make objects out of them. The last element in the array is the
        # invocand.

        for (my $i = 0 ; $i < $#values ; ++ $i) {
            my $fib =  $class -> bzero();
            $fib -> {value} = $values[$i];
            $values[$i] = $fib;
        }

        $x -> {value} = $values[-1];
        $values[-1] = $x;

        # If negative, insert sign as appropriate.

        if ($x -> is_neg()) {
            for (my $i = 2 ; $i <= $#values ; $i += 2) {
                $values[$i]{sign} = '-';
            }
        }

        @values = map { $_ -> round(@r) } @values;
        return @values;
    }

    # Scalar context.

    else {
        return $x if $x->modify('bdfac') || $x ->  is_inf('+');
        return $x->bnan() if $x -> is_nan() || $x -> is_inf('-');

        $x->{sign}  = $x -> is_neg() && $x -> is_even() ? '-' : '+';
        $x->{value} = $LIB->_fib($x->{value});
        return $x->round(@r);
    }
}

sub blucas {
    # compute Lucas number(s)
    my ($class, $x, @r) = objectify(1, @_);

    croak("blucas() requires a newer version of the $LIB library.")
        unless $LIB->can('_lucas');

    return $x if $x->modify('blucas');

    # List context.

    if (wantarray) {
        return () if $x -> is_nan();
        croak("blucas() can't return an infinitely long list of numbers")
            if $x -> is_inf();

        # Use the backend library to compute the first $x Lucas numbers.

        my @values = $LIB->_lucas($x->{value});

        # Make objects out of them. The last element in the array is the
        # invocand.

        for (my $i = 0 ; $i < $#values ; ++ $i) {
            my $lucas =  $class -> bzero();
            $lucas -> {value} = $values[$i];
            $values[$i] = $lucas;
        }

        $x -> {value} = $values[-1];
        $values[-1] = $x;

        # If negative, insert sign as appropriate.

        if ($x -> is_neg()) {
            for (my $i = 2 ; $i <= $#values ; $i += 2) {
                $values[$i]{sign} = '-';
            }
        }

        @values = map { $_ -> round(@r) } @values;
        return @values;
    }

    # Scalar context.

    else {
        return $x if $x ->  is_inf('+');
        return $x->bnan() if $x -> is_nan() || $x -> is_inf('-');

        $x->{sign}  = $x -> is_neg() && $x -> is_even() ? '-' : '+';
        $x->{value} = $LIB->_lucas($x->{value});
        return $x->round(@r);
    }
}

sub blsft {
    # (BINT or num_str, BINT or num_str) return BINT
    # compute x << y, base n, y >= 0

    my ($class, $x, $y, $b, @r);

    # Objectify the base only when it is defined, since an undefined base, as
    # in $x->blsft(3) or $x->blog(3, undef) means use the default base 2.

    if (!ref($_[0]) && $_[0] =~ /^[A-Za-z]|::/) {
        # E.g., Math::BigInt->blog(256, 5, 2)
        ($class, $x, $y, $b, @r) =
          defined $_[3] ? objectify(3, @_) : objectify(2, @_);
    } else {
        # E.g., Math::BigInt::blog(256, 5, 2) or $x->blog(5, 2)
        ($class, $x, $y, $b, @r) =
          defined $_[2] ? objectify(3, @_) : objectify(2, @_);
    }

    return $x if $x -> modify('blsft');
    return $x -> bnan() if ($x -> {sign} !~ /^[+-]$/ ||
                            $y -> {sign} !~ /^[+-]$/);
    return $x -> round(@r) if $y -> is_zero();

    $b = defined($b) ? $b -> numify() : 2;

    # While some of the libraries support an arbitrarily large base, not all of
    # them do, so rather than returning an incorrect result in those cases,
    # disallow bases that don't work with all libraries.

    my $uintmax = ~0;
    croak("Base is too large.") if $b > $uintmax;

    return $x -> bnan() if $b <= 0 || $y -> {sign} eq '-';

    $x -> {value} = $LIB -> _lsft($x -> {value}, $y -> {value}, $b);
    $x -> round(@r);
}

sub brsft {
    # (BINT or num_str, BINT or num_str) return BINT
    # compute x >> y, base n, y >= 0

    # set up parameters
    my ($class, $x, $y, $b, @r) = (ref($_[0]), @_);

    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, $b, @r) = objectify(2, @_);
    }

    return $x if $x -> modify('brsft');
    return $x -> bnan() if ($x -> {sign} !~ /^[+-]$/ || $y -> {sign} !~ /^[+-]$/);
    return $x -> round(@r) if $y -> is_zero();
    return $x -> bzero(@r) if $x -> is_zero(); # 0 => 0

    $b = 2 if !defined $b;
    return $x -> bnan() if $b <= 0 || $y -> {sign} eq '-';

    # this only works for negative numbers when shifting in base 2
    if (($x -> {sign} eq '-') && ($b == 2)) {
        return $x -> round(@r) if $x -> is_one('-'); # -1 => -1
        if (!$y -> is_one()) {
            # although this is O(N*N) in calc (as_bin!) it is O(N) in Pari et
            # al but perhaps there is a better emulation for two's complement
            # shift...
            # if $y != 1, we must simulate it by doing:
            # convert to bin, flip all bits, shift, and be done
            $x -> binc();           # -3 => -2
            my $bin = $x -> as_bin();
            $bin =~ s/^-0b//;       # strip '-0b' prefix
            $bin =~ tr/10/01/;      # flip bits
            # now shift
            if ($y >= CORE::length($bin)) {
                $bin = '0';         # shifting to far right creates -1
                                    # 0, because later increment makes
                                    # that 1, attached '-' makes it '-1'
                                    # because -1 >> x == -1 !
            } else {
                $bin =~ s/.{$y}$//; # cut off at the right side
                $bin = '1' . $bin;  # extend left side by one dummy '1'
                $bin =~ tr/10/01/;  # flip bits back
            }
            my $res = $class -> new('0b' . $bin); # add prefix and convert back
            $res -> binc();                       # remember to increment
            $x -> {value} = $res -> {value};      # take over value
            return $x -> round(@r); # we are done now, magic, isn't?
        }

        # x < 0, n == 2, y == 1
        $x -> bdec();           # n == 2, but $y == 1: this fixes it
    }

    $x -> {value} = $LIB -> _rsft($x -> {value}, $y -> {value}, $b);
    $x -> round(@r);
}

###############################################################################
# Bitwise methods
###############################################################################

sub band {
    #(BINT or num_str, BINT or num_str) return BINT
    # compute x & y

    # set up parameters
    my ($class, $x, $y, @r) = (ref($_[0]), @_);
    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x->modify('band');

    $r[3] = $y;                 # no push!

    return $x->bnan() if ($x->{sign} !~ /^[+-]$/ || $y->{sign} !~ /^[+-]$/);

    if ($x->{sign} eq '+' && $y->{sign} eq '+') {
        $x->{value} = $LIB->_and($x->{value}, $y->{value});
    } else {
        ($x->{value}, $x->{sign}) = $LIB->_sand($x->{value}, $x->{sign},
                                                $y->{value}, $y->{sign});
    }
    return $x->round(@r);
}

sub bior {
    #(BINT or num_str, BINT or num_str) return BINT
    # compute x | y

    # set up parameters
    my ($class, $x, $y, @r) = (ref($_[0]), @_);
    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x->modify('bior');

    $r[3] = $y;                 # no push!

    return $x->bnan() if ($x->{sign} !~ /^[+-]$/ || $y->{sign} !~ /^[+-]$/);

    if ($x->{sign} eq '+' && $y->{sign} eq '+') {
        $x->{value} = $LIB->_or($x->{value}, $y->{value});
    } else {
        ($x->{value}, $x->{sign}) = $LIB->_sor($x->{value}, $x->{sign},
                                               $y->{value}, $y->{sign});
    }
    return $x->round(@r);
}

sub bxor {
    #(BINT or num_str, BINT or num_str) return BINT
    # compute x ^ y

    # set up parameters
    my ($class, $x, $y, @r) = (ref($_[0]), @_);
    # objectify is costly, so avoid it
    if ((!ref($_[0])) || (ref($_[0]) ne ref($_[1]))) {
        ($class, $x, $y, @r) = objectify(2, @_);
    }

    return $x if $x->modify('bxor');

    $r[3] = $y;                 # no push!

    return $x->bnan() if ($x->{sign} !~ /^[+-]$/ || $y->{sign} !~ /^[+-]$/);

    if ($x->{sign} eq '+' && $y->{sign} eq '+') {
        $x->{value} = $LIB->_xor($x->{value}, $y->{value});
    } else {
        ($x->{value}, $x->{sign}) = $LIB->_sxor($x->{value}, $x->{sign},
                                               $y->{value}, $y->{sign});
    }
    return $x->round(@r);
}

sub bnot {
    # (num_str or BINT) return BINT
    # represent ~x as twos-complement number
    # we don't need $class, so undef instead of ref($_[0]) make it slightly faster
    my ($class, $x) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    return $x if $x->modify('bnot');
    $x->binc()->bneg();         # binc already does round
}

###############################################################################
# Rounding methods
###############################################################################

sub round {
    # Round $self according to given parameters, or given second argument's
    # parameters or global defaults

    # for speed reasons, _find_round_parameters is embedded here:

    my ($self, $a, $p, $r, @args) = @_;
    # $a accuracy, if given by caller
    # $p precision, if given by caller
    # $r round_mode, if given by caller
    # @args all 'other' arguments (0 for unary, 1 for binary ops)

    my $class = ref($self);       # find out class of argument(s)
    no strict 'refs';

    # now pick $a or $p, but only if we have got "arguments"
    if (!defined $a) {
        foreach ($self, @args) {
            # take the defined one, or if both defined, the one that is smaller
            $a = $_->{_a} if (defined $_->{_a}) && (!defined $a || $_->{_a} < $a);
        }
    }
    if (!defined $p) {
        # even if $a is defined, take $p, to signal error for both defined
        foreach ($self, @args) {
            # take the defined one, or if both defined, the one that is bigger
            # -2 > -3, and 3 > 2
            $p = $_->{_p} if (defined $_->{_p}) && (!defined $p || $_->{_p} > $p);
        }
    }

    # if still none defined, use globals
    unless (defined $a || defined $p) {
        $a = ${"$class\::accuracy"};
        $p = ${"$class\::precision"};
    }

    # A == 0 is useless, so undef it to signal no rounding
    $a = undef if defined $a && $a == 0;

    # no rounding today?
    return $self unless defined $a || defined $p; # early out

    # set A and set P is an fatal error
    return $self->bnan() if defined $a && defined $p;

    $r = ${"$class\::round_mode"} unless defined $r;
    if ($r !~ /^(even|odd|[+-]inf|zero|trunc|common)$/) {
        croak("Unknown round mode '$r'");
    }

    # now round, by calling either bround or bfround:
    if (defined $a) {
        $self->bround(int($a), $r) if !defined $self->{_a} || $self->{_a} >= $a;
    } else {                  # both can't be undefined due to early out
        $self->bfround(int($p), $r) if !defined $self->{_p} || $self->{_p} <= $p;
    }

    # bround() or bfround() already called bnorm() if nec.
    $self;
}

sub bround {
    # accuracy: +$n preserve $n digits from left,
    #           -$n preserve $n digits from right (f.i. for 0.1234 style in MBF)
    # no-op for $n == 0
    # and overwrite the rest with 0's, return normalized number
    # do not return $x->bnorm(), but $x

    my $x = shift;
    $x = __PACKAGE__->new($x) unless ref $x;
    my ($scale, $mode) = $x->_scale_a(@_);
    return $x if !defined $scale || $x->modify('bround'); # no-op

    if ($x->is_zero() || $scale == 0) {
        $x->{_a} = $scale if !defined $x->{_a} || $x->{_a} > $scale; # 3 > 2
        return $x;
    }
    return $x if $x->{sign} !~ /^[+-]$/; # inf, NaN

    # we have fewer digits than we want to scale to
    my $len = $x->length();
    # convert $scale to a scalar in case it is an object (put's a limit on the
    # number length, but this would already limited by memory constraints), makes
    # it faster
    $scale = $scale->numify() if ref ($scale);

    # scale < 0, but > -len (not >=!)
    if (($scale < 0 && $scale < -$len-1) || ($scale >= $len)) {
        $x->{_a} = $scale if !defined $x->{_a} || $x->{_a} > $scale; # 3 > 2
        return $x;
    }

    # count of 0's to pad, from left (+) or right (-): 9 - +6 => 3, or |-6| => 6
    my ($pad, $digit_round, $digit_after);
    $pad = $len - $scale;
    $pad = abs($scale-1) if $scale < 0;

    # do not use digit(), it is very costly for binary => decimal
    # getting the entire string is also costly, but we need to do it only once
    my $xs = $LIB->_str($x->{value});
    my $pl = -$pad-1;

    # pad:   123: 0 => -1, at 1 => -2, at 2 => -3, at 3 => -4
    # pad+1: 123: 0 => 0, at 1 => -1, at 2 => -2, at 3 => -3
    $digit_round = '0';
    $digit_round = substr($xs, $pl, 1) if $pad <= $len;
    $pl++;
    $pl ++ if $pad >= $len;
    $digit_after = '0';
    $digit_after = substr($xs, $pl, 1) if $pad > 0;

    # in case of 01234 we round down, for 6789 up, and only in case 5 we look
    # closer at the remaining digits of the original $x, remember decision
    my $round_up = 1;           # default round up
    $round_up -- if
      ($mode eq 'trunc')                      ||   # trunc by round down
        ($digit_after =~ /[01234]/)           ||   # round down anyway,
          # 6789 => round up
          ($digit_after eq '5')               &&   # not 5000...0000
            ($x->_scan_for_nonzero($pad, $xs, $len) == 0)   &&
              (
               ($mode eq 'even') && ($digit_round =~ /[24680]/) ||
               ($mode eq 'odd')  && ($digit_round =~ /[13579]/) ||
               ($mode eq '+inf') && ($x->{sign} eq '-')         ||
               ($mode eq '-inf') && ($x->{sign} eq '+')         ||
               ($mode eq 'zero') # round down if zero, sign adjusted below
              );
    my $put_back = 0;           # not yet modified

    if (($pad > 0) && ($pad <= $len)) {
        substr($xs, -$pad, $pad) = '0' x $pad; # replace with '00...'
        $xs =~ s/^0+(\d)/$1/;                  # "00000" -> "0"
        $put_back = 1;                         # need to put back
    } elsif ($pad > $len) {
        $x->bzero();            # round to '0'
    }

    if ($round_up) {            # what gave test above?
        $put_back = 1;                               # need to put back
        $pad = $len, $xs = '0' x $pad if $scale < 0; # tlr: whack 0.51=>1.0

        # we modify directly the string variant instead of creating a number and
        # adding it, since that is faster (we already have the string)
        my $c = 0;
        $pad ++;                # for $pad == $len case
        while ($pad <= $len) {
            $c = substr($xs, -$pad, 1) + 1;
            $c = '0' if $c eq '10';
            substr($xs, -$pad, 1) = $c;
            $pad++;
            last if $c != 0;    # no overflow => early out
        }
        $xs = '1'.$xs if $c == 0;
    }
    $x->{value} = $LIB->_new($xs) if $put_back == 1; # put back, if needed

    $x->{_a} = $scale if $scale >= 0;
    if ($scale < 0) {
        $x->{_a} = $len+$scale;
        $x->{_a} = 0 if $scale < -$len;
    }
    $x;
}

sub bfround {
    # precision: round to the $Nth digit left (+$n) or right (-$n) from the '.'
    # $n == 0 || $n == 1 => round to integer
    my $x = shift;
    my $class = ref($x) || $x;
    $x = $class->new($x) unless ref $x;

    my ($scale, $mode) = $x->_scale_p(@_);

    return $x if !defined $scale || $x->modify('bfround'); # no-op

    # no-op for Math::BigInt objects if $n <= 0
    $x->bround($x->length()-$scale, $mode) if $scale > 0;

    delete $x->{_a};            # delete to save memory
    $x->{_p} = $scale;          # store new _p
    $x;
}

sub fround {
    # Exists to make life easier for switch between MBF and MBI (should we
    # autoload fxxx() like MBF does for bxxx()?)
    my $x = shift;
    $x = __PACKAGE__->new($x) unless ref $x;
    $x->bround(@_);
}

sub bfloor {
    # round towards minus infinity; no-op since it's already integer
    my ($class, $x, @r) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    $x->round(@r);
}

sub bceil {
    # round towards plus infinity; no-op since it's already int
    my ($class, $x, @r) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    $x->round(@r);
}

sub bint {
    # round towards zero; no-op since it's already integer
    my ($class, $x, @r) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    $x->round(@r);
}

###############################################################################
# Other mathematical methods
###############################################################################

sub bgcd {
    # (BINT or num_str, BINT or num_str) return BINT
    # does not modify arguments, but returns new object
    # GCD -- Euclid's algorithm, variant C (Knuth Vol 3, pg 341 ff)

    my ($class, @args) = objectify(0, @_);

    my $x = shift @args;
    $x = ref($x) && $x -> isa($class) ? $x -> copy() : $class -> new($x);

    return $class->bnan() if $x->{sign} !~ /^[+-]$/;    # x NaN?

    while (@args) {
        my $y = shift @args;
        $y = $class->new($y) unless ref($y) && $y -> isa($class);
        return $class->bnan() if $y->{sign} !~ /^[+-]$/;    # y NaN?
        $x->{value} = $LIB->_gcd($x->{value}, $y->{value});
        last if $LIB->_is_one($x->{value});
    }

    return $x -> babs();
}

sub blcm {
    # (BINT or num_str, BINT or num_str) return BINT
    # does not modify arguments, but returns new object
    # Least Common Multiple

    my ($class, @args) = objectify(0, @_);

    my $x = shift @args;
    $x = ref($x) && $x -> isa($class) ? $x -> copy() : $class -> new($x);
    return $class->bnan() if $x->{sign} !~ /^[+-]$/;    # x NaN?

    while (@args) {
        my $y = shift @args;
        $y = $class -> new($y) unless ref($y) && $y -> isa($class);
        return $x->bnan() if $y->{sign} !~ /^[+-]$/;     # y not integer
        $x -> {value} = $LIB->_lcm($x -> {value}, $y -> {value});
    }

    return $x -> babs();
}

###############################################################################
# Object property methods
###############################################################################

sub sign {
    # return the sign of the number: +/-/-inf/+inf/NaN
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    $x->{sign};
}

sub digit {
    # return the nth decimal digit, negative values count backward, 0 is right
    my ($class, $x, $n) = ref($_[0]) ? (undef, @_) : objectify(1, @_);

    $n = $n->numify() if ref($n);
    $LIB->_digit($x->{value}, $n || 0);
}

sub bdigitsum {
    # like digitsum(), but assigns the result to the invocand
    my $x = shift;

    return $x           if $x -> is_nan();
    return $x -> bnan() if $x -> is_inf();

    $x -> {value} = $LIB -> _digitsum($x -> {value});
    $x -> {sign}  = '+';
    return $x;
}

sub digitsum {
    # compute sum of decimal digits and return it
    my $x = shift;
    my $class = ref $x;

    return $class -> bnan() if $x -> is_nan();
    return $class -> bnan() if $x -> is_inf();

    my $y = $class -> bzero();
    $y -> {value} = $LIB -> _digitsum($x -> {value});
    return $y;
}

sub length {
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    my $e = $LIB->_len($x->{value});
    wantarray ? ($e, 0) : $e;
}

sub exponent {
    # return a copy of the exponent (here always 0, NaN or 1 for $m == 0)
    my ($class, $x) = ref($_[0]) ? (ref($_[0]), $_[0]) : objectify(1, @_);

    if ($x->{sign} !~ /^[+-]$/) {
        my $s = $x->{sign};
        $s =~ s/^[+-]//; # NaN, -inf, +inf => NaN or inf
        return $class->new($s);
    }
    return $class->bzero() if $x->is_zero();

    # 12300 => 2 trailing zeros => exponent is 2
    $class->new($LIB->_zeros($x->{value}));
}

sub mantissa {
    # return the mantissa (compatible to Math::BigFloat, e.g. reduced)
    my ($class, $x) = ref($_[0]) ? (ref($_[0]), $_[0]) : objectify(1, @_);

    if ($x->{sign} !~ /^[+-]$/) {
        # for NaN, +inf, -inf: keep the sign
        return $class->new($x->{sign});
    }
    my $m = $x->copy();
    delete $m->{_p};
    delete $m->{_a};

    # that's a bit inefficient:
    my $zeros = $LIB->_zeros($m->{value});
    $m->brsft($zeros, 10) if $zeros != 0;
    $m;
}

sub parts {
    # return a copy of both the exponent and the mantissa
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    ($x->mantissa(), $x->exponent());
}

sub sparts {
    my $self  = shift;
    my $class = ref $self;

    croak("sparts() is an instance method, not a class method")
        unless $class;

    # Not-a-number.

    if ($self -> is_nan()) {
        my $mant = $self -> copy();             # mantissa
        return $mant unless wantarray;          # scalar context
        my $expo = $class -> bnan();            # exponent
        return ($mant, $expo);                  # list context
    }

    # Infinity.

    if ($self -> is_inf()) {
        my $mant = $self -> copy();             # mantissa
        return $mant unless wantarray;          # scalar context
        my $expo = $class -> binf('+');         # exponent
        return ($mant, $expo);                  # list context
    }

    # Finite number.

    my $mant   = $self -> copy();
    my $nzeros = $LIB -> _zeros($mant -> {value});

    $mant -> brsft($nzeros, 10) if $nzeros != 0;
    return $mant unless wantarray;

    my $expo = $class -> new($nzeros);
    return ($mant, $expo);
}

sub nparts {
    my $self  = shift;
    my $class = ref $self;

    croak("nparts() is an instance method, not a class method")
        unless $class;

    # Not-a-number.

    if ($self -> is_nan()) {
        my $mant = $self -> copy();             # mantissa
        return $mant unless wantarray;          # scalar context
        my $expo = $class -> bnan();            # exponent
        return ($mant, $expo);                  # list context
    }

    # Infinity.

    if ($self -> is_inf()) {
        my $mant = $self -> copy();             # mantissa
        return $mant unless wantarray;          # scalar context
        my $expo = $class -> binf('+');         # exponent
        return ($mant, $expo);                  # list context
    }

    # Finite number.

    my ($mant, $expo) = $self -> sparts();

    if ($mant -> bcmp(0)) {
        my ($ndigtot, $ndigfrac) = $mant -> length();
        my $expo10adj = $ndigtot - $ndigfrac - 1;

        if ($expo10adj != 0) {
            return $upgrade -> new($self) -> nparts() if $upgrade;
            $mant -> bnan();
            return $mant unless wantarray;
            $expo -> badd($expo10adj);
            return ($mant, $expo);
        }
    }

    return $mant unless wantarray;
    return ($mant, $expo);
}

sub eparts {
    my $self  = shift;
    my $class = ref $self;

    croak("eparts() is an instance method, not a class method")
        unless $class;

    # Not-a-number and Infinity.

    return $self -> sparts() if $self -> is_nan() || $self -> is_inf();

    # Finite number.

    my ($mant, $expo) = $self -> sparts();

    if ($mant -> bcmp(0)) {
        my $ndigmant  = $mant -> length();
        $expo -> badd($ndigmant);

        # $c is the number of digits that will be in the integer part of the
        # final mantissa.

        my $c = $expo -> copy() -> bdec() -> bmod(3) -> binc();
        $expo -> bsub($c);

        if ($ndigmant > $c) {
            return $upgrade -> new($self) -> eparts() if $upgrade;
            $mant -> bnan();
            return $mant unless wantarray;
            return ($mant, $expo);
        }

        $mant -> blsft($c - $ndigmant, 10);
    }

    return $mant unless wantarray;
    return ($mant, $expo);
}

sub dparts {
    my $self  = shift;
    my $class = ref $self;

    croak("dparts() is an instance method, not a class method")
        unless $class;

    my $int = $self -> copy();
    return $int unless wantarray;

    my $frc = $class -> bzero();
    return ($int, $frc);
}

sub fparts {
    my $x = shift;
    my $class = ref $x;

    croak("fparts() is an instance method") unless $class;

    return ($x -> copy(),
            $x -> is_nan() ? $class -> bnan() : $class -> bone());
}

sub numerator {
    my $x = shift;
    my $class = ref $x;

    croak("numerator() is an instance method") unless $class;

    return $x -> copy();
}

sub denominator {
    my $x = shift;
    my $class = ref $x;

    croak("denominator() is an instance method") unless $class;

    return $x -> is_nan() ? $class -> bnan() : $class -> bone();
}

###############################################################################
# String conversion methods
###############################################################################

sub bstr {
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    if ($x->{sign} ne '+' && $x->{sign} ne '-') {
        return $x->{sign} unless $x->{sign} eq '+inf'; # -inf, NaN
        return 'inf';                                  # +inf
    }
    my $str = $LIB->_str($x->{value});
    return $x->{sign} eq '-' ? "-$str" : $str;
}

# Scientific notation with significand/mantissa as an integer, e.g., "12345" is
# written as "1.2345e+4".

sub bsstr {
    my ($class, $x) = ref($_[0]) ? (undef, $_[0]) : objectify(1, @_);

    if ($x->{sign} ne '+' && $x->{sign} ne '-') {
        return $x->{sign} unless $x->{sign} eq '+inf';  # -inf, NaN
        return 'inf';                                   # +inf
    }
    my ($m, $e) = $x -> parts();
    my $str = $LIB->_str($m->{value}) . 'e+' . $LIB->_str($e->{value});
    return $x->{sign} eq '-' ? "-$str" : $str;
}

# Normalized notation, e.g., "12345" is written as "12345e+0".

sub bnstr {
    my $x = shift;

    if ($x->{sign} ne '+' && $x->{sign} ne '-') {
        return $x->{sign} unless $x->{sign} eq '+inf';  # -inf, NaN
        return 'inf';                                   # +inf
    }

    return $x -> bstr() if $x -> is_nan() || $x -> is_inf();

    my ($mant, $expo) = $x -> parts();

    # The "fraction posision" is the position (offset) for the decimal point
    # relative to the end of the digit string.

    my $fracpos = $mant -> length() - 1;
    if ($fracpos == 0) {
        my $str = $LIB->_str($mant->{value}) . "e+" . $LIB->_str($expo->{value});
        return $x->{sign} eq '-' ? "-$str" : $str;
    }

    $expo += $fracpos;
    my $mantstr = $LIB->_str($mant -> {value});
    substr($mantstr, -$fracpos, 0) = '.';

    my $str = $mantstr . 'e+' . $LIB->_str($expo -> {value});
    return $x->{sign} eq '-' ? "-$str" : $str;
}

# Engineering notation, e.g., "12345" is written as "12.345e+3".

sub bestr {
    my $x = shift;

    if ($x->{sign} ne '+' && $x->{sign} ne '-') {
        return $x->{sign} unless $x->{sign} eq '+inf';  # -inf, NaN
        return 'inf';                                   # +inf
    }

    my ($mant, $expo) = $x -> parts();

    my $sign = $mant -> sign();
    $mant -> babs();

    my $mantstr = $LIB->_str($mant -> {value});
    my $mantlen = CORE::length($mantstr);

    my $dotidx = 1;
    $expo += $mantlen - 1;

    my $c = $expo -> copy() -> bmod(3);
    $expo   -= $c;
    $dotidx += $c;

    if ($mantlen < $dotidx) {
        $mantstr .= "0" x ($dotidx - $mantlen);
    } elsif ($mantlen > $dotidx) {
        substr($mantstr, $dotidx, 0) = ".";
    }

    my $str = $mantstr . 'e+' . $LIB->_str($expo -> {value});
    return $sign eq "-" ? "-$str" : $str;
}

# Decimal notation, e.g., "12345".

sub bdstr {
    my $x = shift;

    if ($x->{sign} ne '+' && $x->{sign} ne '-') {
        return $x->{sign} unless $x->{sign} eq '+inf'; # -inf, NaN
        return 'inf';                                  # +inf
    }

    my $str = $LIB->_str($x->{value});
    return $x->{sign} eq '-' ? "-$str" : $str;
}

sub to_hex {
    # return as hex string, with prefixed 0x
    my $x = shift;
    $x = __PACKAGE__->new($x) if !ref($x);

    return $x->bstr() if $x->{sign} !~ /^[+-]$/; # inf, nan etc

    my $hex = $LIB->_to_hex($x->{value});
    return $x->{sign} eq '-' ? "-$hex" : $hex;
}

sub to_oct {
    # return as octal string, with prefixed 0
    my $x = shift;
    $x = __PACKAGE__->new($x) if !ref($x);

    return $x->bstr() if $x->{sign} !~ /^[+-]$/; # inf, nan etc

    my $oct = $LIB->_to_oct($x->{value});
    return $x->{sign} eq '-' ? "-$oct" : $oct;
}

sub to_bin {
    # return as binary string, with prefixed 0b
    my $x = shift;
    $x = __PACKAGE__->new($x) if !ref($x);

    return $x->bstr() if $x->{sign} !~ /^[+-]$/; # inf, nan etc

    my $bin = $LIB->_to_bin($x->{value});
    return $x->{sign} eq '-' ? "-$bin" : $bin;
}

sub to_bytes {
    # return a byte string
    my $x = shift;
    $x = __PACKAGE__->new($x) if !ref($x);

    croak("to_bytes() requires a finite, non-negative integer")
        if $x -> is_neg() || ! $x -> is_int();

    croak("to_bytes() requires a newer version of the $LIB library.")
        unless $LIB->can('_to_bytes');

    return $LIB->_to_bytes($x->{value});
}

sub to_base {
    # return a base anything string
    my $x = shift;
    $x = __PACKAGE__->new($x) if !ref($x);

    croak("the value to convert must be a finite, non-negative integer")
      if $x -> is_neg() || !$x -> is_int();

    my $base = shift;
    $base = __PACKAGE__->new($base) unless ref($base);

    croak("the base must be a finite integer >= 2")
      if $base < 2 || ! $base -> is_int();

    # If no collating sequence is given, pass some of the conversions to
    # methods optimized for those cases.

    if (! @_) {
        return    $x -> to_bin() if $base == 2;
        return    $x -> to_oct() if $base == 8;
        return uc $x -> to_hex() if $base == 16;
        return    $x -> bstr()   if $base == 10;
    }

    croak("to_base() requires a newer version of the $LIB library.")
      unless $LIB->can('_to_base');

    return $LIB->_to_base($x->{value}, $base -> {value}, @_ ? shift() : ());
}

sub to_base_num {
    my $x = shift;
    my $class = ref $x;

    # return a base anything string
    croak("the value to convert must be a finite non-negative integer")
      if $x -> is_neg() || !$x -> is_int();

    my $base = shift;
    $base = $class -> new($base) unless ref $base;

    croak("the base must be a finite integer >= 2")
      if $base < 2 || ! $base -> is_int();

    croak("to_base() requires a newer version of the $LIB library.")
      unless $LIB->can('_to_base');

    # Get a reference to an array of library thingies, and replace each element
    # with a Math::BigInt object using that thingy.

    my $vals = $LIB -> _to_base_num($x->{value}, $base -> {value});

    for my $i (0 .. $#$vals) {
        my $x = $class -> bzero();
        $x -> {value} = $vals -> [$i];
        $vals -> [$i] = $x;
    }

    return $vals;
}

sub as_hex {
    # return as hex string, with prefixed 0x
    my $x = shift;
    $x = __PACKAGE__->new($x) if !ref($x);

    return $x->bstr() if $x->{sign} !~ /^[+-]$/; # inf, nan etc

    my $hex = $LIB->_as_hex($x->{value});
    return $x->{sign} eq '-' ? "-$hex" : $hex;
}

sub as_oct {
    # return as octal string, with prefixed 0
    my $x = shift;
    $x = __PACKAGE__->new($x) if !ref($x);

    return $x->bstr() if $x->{sign} !~ /^[+-]$/; # inf, nan etc

    my $oct = $LIB->_as_oct($x->{value});
    return $x->{sign} eq '-' ? "-$oct" : $oct;
}

sub as_bin {
    # return as binary string, with prefixed 0b
    my $x = shift;
    $x = __PACKAGE__->new($x) if !ref($x);

    return $x->bstr() if $x->{sign} !~ /^[+-]$/; # inf, nan etc

    my $bin = $LIB->_as_bin($x->{value});
    return $x->{sign} eq '-' ? "-$bin" : $bin;
}

*as_bytes = \&to_bytes;

###############################################################################
# Other conversion methods
###############################################################################

sub numify {
    # Make a Perl scalar number from a Math::BigInt object.
    my $x = shift;
    $x = __PACKAGE__->new($x) unless ref $x;

    if ($x -> is_nan()) {
        require Math::Complex;
        my $inf = $Math::Complex::Inf;
        return $inf - $inf;
    }

    if ($x -> is_inf()) {
        require Math::Complex;
        my $inf = $Math::Complex::Inf;
        return $x -> is_negative() ? -$inf : $inf;
    }

    my $num = 0 + $LIB->_num($x->{value});
    return $x->{sign} eq '-' ? -$num : $num;
}

###############################################################################
# Private methods and functions.
###############################################################################

sub objectify {
    # Convert strings and "foreign objects" to the objects we want.

    # The first argument, $count, is the number of following arguments that
    # objectify() looks at and converts to objects. The first is a classname.
    # If the given count is 0, all arguments will be used.

    # After the count is read, objectify obtains the name of the class to which
    # the following arguments are converted. If the second argument is a
    # reference, use the reference type as the class name. Otherwise, if it is
    # a string that looks like a class name, use that. Otherwise, use $class.

    # Caller:                        Gives us:
    #
    # $x->badd(1);                => ref x, scalar y
    # Class->badd(1, 2);           => classname x (scalar), scalar x, scalar y
    # Class->badd(Class->(1), 2);  => classname x (scalar), ref x, scalar y
    # Math::BigInt::badd(1, 2);    => scalar x, scalar y

    # A shortcut for the common case $x->unary_op(), in which case the argument
    # list is (0, $x) or (1, $x).

    return (ref($_[1]), $_[1]) if @_ == 2 && ($_[0] || 0) == 1 && ref($_[1]);

    # Check the context.

    unless (wantarray) {
        croak(__PACKAGE__ . "::objectify() needs list context");
    }

    # Get the number of arguments to objectify.

    my $count = shift;

    # Initialize the output array.

    my @a = @_;

    # If the first argument is a reference, use that reference type as our
    # class name. Otherwise, if the first argument looks like a class name,
    # then use that as our class name. Otherwise, use the default class name.

    my $class;
    if (ref($a[0])) {                   # reference?
        $class = ref($a[0]);
    } elsif ($a[0] =~ /^[A-Z].*::/) {   # string with class name?
        $class = shift @a;
    } else {
        $class = __PACKAGE__;           # default class name
    }

    $count ||= @a;
    unshift @a, $class;

    no strict 'refs';

    # What we upgrade to, if anything. Note that we need the whole upgrade
    # chain, since there might be multiple levels of upgrading. E.g., class A
    # upgrades to class B, which upgrades to class C. Delay getting the chain
    # until we actually need it.

    my @upg = ();
    my $have_upgrade_chain = 0;

    # Disable downgrading, because Math::BigFloat -> foo('1.0', '2.0') needs
    # floats.

    my $down;
    if (defined ${"$a[0]::downgrade"}) {
        $down = ${"$a[0]::downgrade"};
        ${"$a[0]::downgrade"} = undef;
    }

  ARG: for my $i (1 .. $count) {

        my $ref = ref $a[$i];

        # Perl scalars are fed to the appropriate constructor.

        unless ($ref) {
            $a[$i] = $a[0] -> new($a[$i]);
            next;
        }

        # If it is an object of the right class, all is fine.

        next if $ref -> isa($a[0]);

        # Upgrading is OK, so skip further tests if the argument is upgraded,
        # but first get the whole upgrade chain if we haven't got it yet.

        unless ($have_upgrade_chain) {
            my $cls = $class;
            my $upg = $cls -> upgrade();
            while (defined $upg) {
                last if $upg eq $cls;
                push @upg, $upg;
                $cls = $upg;
                $upg = $cls -> upgrade();
            }
            $have_upgrade_chain = 1;
        }

        for my $upg (@upg) {
            next ARG if $ref -> isa($upg);
        }

        # See if we can call one of the as_xxx() methods. We don't know whether
        # the as_xxx() method returns an object or a scalar, so re-check
        # afterwards.

        my $recheck = 0;

        if ($a[0] -> isa('Math::BigInt')) {
            if ($a[$i] -> can('as_int')) {
                $a[$i] = $a[$i] -> as_int();
                $recheck = 1;
            } elsif ($a[$i] -> can('as_number')) {
                $a[$i] = $a[$i] -> as_number();
                $recheck = 1;
            }
        }

        elsif ($a[0] -> isa('Math::BigFloat')) {
            if ($a[$i] -> can('as_float')) {
                $a[$i] = $a[$i] -> as_float();
                $recheck = $1;
            }
        }

        # If we called one of the as_xxx() methods, recheck.

        if ($recheck) {
            $ref = ref($a[$i]);

            # Perl scalars are fed to the appropriate constructor.

            unless ($ref) {
                $a[$i] = $a[0] -> new($a[$i]);
                next;
            }

            # If it is an object of the right class, all is fine.

            next if $ref -> isa($a[0]);
        }

        # Last resort.

        $a[$i] = $a[0] -> new($a[$i]);
    }

    # Reset the downgrading.

    ${"$a[0]::downgrade"} = $down;

    return @a;
}

sub import {
    my $class = shift;
    $IMPORT++;                  # remember we did import()
    my @a;                      # unrecognized arguments

    while (@_) {
        my $param = shift;

        # Enable overloading of constants.

        if ($param eq ':constant') {
            overload::constant

                integer => sub {
                    $class -> new(shift);
                },

                float   => sub {
                    $class -> new(shift);
                },

                binary  => sub {
                    # E.g., a literal 0377 shall result in an object whose value
                    # is decimal 255, but new("0377") returns decimal 377.
                    return $class -> from_oct($_[0]) if $_[0] =~ /^0_*[0-7]/;
                    $class -> new(shift);
                };
            next;
        }

        # Upgrading.

        if ($param eq 'upgrade') {
            $class -> upgrade(shift);
            next;
        }

        # Downgrading.

        if ($param eq 'downgrade') {
            $class -> downgrade(shift);
            next;
        }

        # Accuracy.

        if ($param eq 'accuracy') {
            $class -> accuracy(shift);
            next;
        }

        # Precision.

        if ($param eq 'precision') {
            $class -> precision(shift);
            next;
        }

        # Rounding mode.

        if ($param eq 'round_mode') {
            $class -> round_mode(shift);
            next;
        }

        # Backend library.

        if ($param =~ /^(lib|try|only)\z/) {
            # try  => 0 (no warn if unavailable module)
            # lib  => 1 (warn on fallback)
            # only => 2 (die on fallback)

            # Get the list of user-specified libraries.

            croak "Library argument for import parameter '$param' is missing"
              unless @_;
            my $libs = shift;
            croak "Library argument for import parameter '$param' is undefined"
              unless defined($libs);

            # Check and clean up the list of user-specified libraries.

            my @libs;
            for my $lib (split /,/, $libs) {
                $lib =~ s/^\s+//;
                $lib =~ s/\s+$//;

                if ($lib =~ /[^a-zA-Z0-9_:]/) {
                    carp "Library name '$lib' contains invalid characters";
                    next;
                }

                if (! CORE::length $lib) {
                    carp "Library name is empty";
                    next;
                }

                $lib = "Math::BigInt::$lib" if $lib !~ /^Math::BigInt::/i;

                # If a library has already been loaded, that is OK only if the
                # requested library is identical to the loaded one.

                if (defined($LIB)) {
                    if ($lib ne $LIB) {
                        #carp "Library '$LIB' has already been loaded, so",
                        #  " ignoring requested library '$lib'";
                    }
                    next;
                }

                push @libs, $lib;
            }

            next if defined $LIB;

            croak "Library list contains no valid libraries" unless @libs;

            # Try to load the specified libraries, if any.

            for (my $i = 0 ; $i <= $#libs ; $i++) {
                my $lib = $libs[$i];
                eval "require $lib";
                unless ($@) {
                    $LIB = $lib;
                    last;
                }
            }

            next if defined $LIB;

            # No library has been loaded, and none of the requested libraries
            # could be loaded, and fallback and the user doesn't allow fallback.

            if ($param eq 'only') {
                croak "Couldn't load the specified math lib(s) ",
                  join(", ", map "'$_'", @libs),
                  ", and fallback to '$DEFAULT_LIB' is not allowed";
            }

            # No library has been loaded, and none of the requested libraries
            # could be loaded, but the user accepts the use of a fallback
            # library, so try to load it.

            eval "require $DEFAULT_LIB";
            if ($@) {
                croak "Couldn't load the specified math lib(s) ",
                  join(", ", map "'$_'", @libs),
                  ", not even the fallback lib '$DEFAULT_LIB'";
            }

            # The fallback library was successfully loaded, but the user
            # might want to know that we are using the fallback.

            if ($param eq 'lib') {
                carp "Couldn't load the specified math lib(s) ",
                  join(", ", map "'$_'", @libs),
                  ", so using fallback lib '$DEFAULT_LIB'";
            }

            next;
        }

        # Unrecognized parameter.

        push @a, $param;
    }

    # Any non-':constant' stuff is handled by our parent, Exporter

    if (@a) {
        $class->SUPER::import(@a);              # need it for subclasses
        $class->export_to_level(1, $class, @a); # need it for Math::BigFloat
    }

    # We might not have loaded any backend library yet, either because the user
    # didn't specify any, or because the specified libraries failed to load and
    # the user allows the use of a fallback library.

    unless (defined $LIB) {
        eval "require $DEFAULT_LIB";
        if ($@) {
            croak "No lib specified, and couldn't load the default",
              " lib '$DEFAULT_LIB'";
        }
        $LIB = $DEFAULT_LIB;
    }

    # import done
}

sub _split {
    # input: num_str; output: undef for invalid or
    # (\$mantissa_sign, \$mantissa_value, \$mantissa_fraction,
    # \$exp_sign, \$exp_value)
    # Internal, take apart a string and return the pieces.
    # Strip leading/trailing whitespace, leading zeros, underscore and reject
    # invalid input.
    my $x = shift;

    # strip white space at front, also extraneous leading zeros
    $x =~ s/^\s*([-]?)0*([0-9])/$1$2/g; # will not strip '  .2'
    $x =~ s/^\s+//;                     # but this will
    $x =~ s/\s+$//g;                    # strip white space at end

    # shortcut, if nothing to split, return early
    if ($x =~ /^[+-]?[0-9]+\z/) {
        $x =~ s/^([+-])0*([0-9])/$2/;
        my $sign = $1 || '+';
        return (\$sign, \$x, \'', \'', \0);
    }

    # invalid starting char?
    return if $x !~ /^[+-]?(\.?[0-9]|0b[0-1]|0x[0-9a-fA-F])/;

    return Math::BigInt->from_hex($x) if $x =~ /^[+-]?0x/; # hex string
    return Math::BigInt->from_bin($x) if $x =~ /^[+-]?0b/; # binary string

    # strip underscores between digits
    $x =~ s/([0-9])_([0-9])/$1$2/g;
    $x =~ s/([0-9])_([0-9])/$1$2/g; # do twice for 1_2_3

    # some possible inputs:
    # 2.1234 # 0.12        # 1          # 1E1 # 2.134E1 # 434E-10 # 1.02009E-2
    # .2     # 1_2_3.4_5_6 # 1.4E1_2_3  # 1e3 # +.2     # 0e999

    my ($m, $e, $last) = split /[Ee]/, $x;
    return if defined $last;    # last defined => 1e2E3 or others
    $e = '0' if !defined $e || $e eq "";

    # sign, value for exponent, mantint, mantfrac
    my ($es, $ev, $mis, $miv, $mfv);
    # valid exponent?
    if ($e =~ /^([+-]?)0*([0-9]+)$/) # strip leading zeros
    {
        $es = $1;
        $ev = $2;
        # valid mantissa?
        return if $m eq '.' || $m eq '';
        my ($mi, $mf, $lastf) = split /\./, $m;
        return if defined $lastf; # lastf defined => 1.2.3 or others
        $mi = '0' if !defined $mi;
        $mi .= '0' if $mi =~ /^[\-\+]?$/;
        $mf = '0' if !defined $mf || $mf eq '';
        if ($mi =~ /^([+-]?)0*([0-9]+)$/) # strip leading zeros
        {
            $mis = $1 || '+';
            $miv = $2;
            return unless ($mf =~ /^([0-9]*?)0*$/); # strip trailing zeros
            $mfv = $1;
            # handle the 0e999 case here
            $ev = 0 if $miv eq '0' && $mfv eq '';
            return (\$mis, \$miv, \$mfv, \$es, \$ev);
        }
    }
    return;                     # NaN, not a number
}

sub _e_add {
    # Internal helper sub to take two positive integers and their signs and
    # then add them. Input ($LIB, $LIB, ('+'|'-'), ('+'|'-')), output
    # ($LIB, ('+'|'-')).

    my ($x, $y, $xs, $ys) = @_;

    # if the signs are equal we can add them (-5 + -3 => -(5 + 3) => -8)
    if ($xs eq $ys) {
        $x = $LIB->_add($x, $y); # +a + +b or -a + -b
    } else {
        my $a = $LIB->_acmp($x, $y);
        if ($a == 0) {
            # This does NOT modify $x in-place. TODO: Fix this?
            $x = $LIB->_zero(); # result is 0
            $xs = '+';
            return ($x, $xs);
        }
        if ($a > 0) {
            $x = $LIB->_sub($x, $y);     # abs sub
        } else {                         # a < 0
            $x = $LIB->_sub ($y, $x, 1); # abs sub
            $xs = $ys;
        }
    }

    $xs = '+' if $xs eq '-' && $LIB->_is_zero($x); # no "-0"

    return ($x, $xs);
}

sub _e_sub {
    # Internal helper sub to take two positive integers and their signs and
    # then subtract them. Input ($LIB, $LIB, ('+'|'-'), ('+'|'-')),
    # output ($LIB, ('+'|'-'))
    my ($x, $y, $xs, $ys) = @_;

    # flip sign
    $ys = $ys eq '+' ? '-' : '+'; # swap sign of second operand ...
    _e_add($x, $y, $xs, $ys);     # ... and let _e_add() do the job
    #$LIB -> _sadd($x, $xs, $y, $ys);     # ... and let $LIB -> _sadd() do the job
}

sub _trailing_zeros {
    # return the amount of trailing zeros in $x (as scalar)
    my $x = shift;
    $x = __PACKAGE__->new($x) unless ref $x;

    return 0 if $x->{sign} !~ /^[+-]$/; # NaN, inf, -inf etc

    $LIB->_zeros($x->{value}); # must handle odd values, 0 etc
}

sub _scan_for_nonzero {
    # internal, used by bround() to scan for non-zeros after a '5'
    my ($x, $pad, $xs, $len) = @_;

    return 0 if $len == 1;      # "5" is trailed by invisible zeros
    my $follow = $pad - 1;
    return 0 if $follow > $len || $follow < 1;

    # use the string form to check whether only '0's follow or not
    substr ($xs, -$follow) =~ /[^0]/ ? 1 : 0;
}

sub _find_round_parameters {
    # After any operation or when calling round(), the result is rounded by
    # regarding the A & P from arguments, local parameters, or globals.

    # !!!!!!! If you change this, remember to change round(), too! !!!!!!!!!!

    # This procedure finds the round parameters, but it is for speed reasons
    # duplicated in round. Otherwise, it is tested by the testsuite and used
    # by bdiv().

    # returns ($self) or ($self, $a, $p, $r) - sets $self to NaN of both A and P
    # were requested/defined (locally or globally or both)

    my ($self, $a, $p, $r, @args) = @_;
    # $a accuracy, if given by caller
    # $p precision, if given by caller
    # $r round_mode, if given by caller
    # @args all 'other' arguments (0 for unary, 1 for binary ops)

    my $class = ref($self);       # find out class of argument(s)
    no strict 'refs';

    # convert to normal scalar for speed and correctness in inner parts
    $a = $a->can('numify') ? $a->numify() : "$a" if defined $a && ref($a);
    $p = $p->can('numify') ? $p->numify() : "$p" if defined $p && ref($p);

    # now pick $a or $p, but only if we have got "arguments"
    if (!defined $a) {
        foreach ($self, @args) {
            # take the defined one, or if both defined, the one that is smaller
            $a = $_->{_a} if (defined $_->{_a}) && (!defined $a || $_->{_a} < $a);
        }
    }
    if (!defined $p) {
        # even if $a is defined, take $p, to signal error for both defined
        foreach ($self, @args) {
            # take the defined one, or if both defined, the one that is bigger
            # -2 > -3, and 3 > 2
            $p = $_->{_p} if (defined $_->{_p}) && (!defined $p || $_->{_p} > $p);
        }
    }

    # if still none defined, use globals (#2)
    $a = ${"$class\::accuracy"}  unless defined $a;
    $p = ${"$class\::precision"} unless defined $p;

    # A == 0 is useless, so undef it to signal no rounding
    $a = undef if defined $a && $a == 0;

    # no rounding today?
    return ($self) unless defined $a || defined $p; # early out

    # set A and set P is an fatal error
    return ($self->bnan()) if defined $a && defined $p; # error

    $r = ${"$class\::round_mode"} unless defined $r;
    if ($r !~ /^(even|odd|[+-]inf|zero|trunc|common)$/) {
        croak("Unknown round mode '$r'");
    }

    $a = int($a) if defined $a;
    $p = int($p) if defined $p;

    ($self, $a, $p, $r);
}

# Trims the sign of the significand, the (absolute value of the) significand,
# the sign of the exponent, and the (absolute value of the) exponent. The
# returned values have no underscores ("_") or unnecessary leading or trailing
# zeros.

sub _trim_split_parts {
    shift;

    my $sig_sgn = shift() || '+';
    my $sig_str = shift() || '0';
    my $exp_sgn = shift() || '+';
    my $exp_str = shift() || '0';

    $sig_str =~ tr/_//d;                        # "1.0_0_0" -> "1.000"
    $sig_str =~ s/^0+//;                        # "01.000" -> "1.000"
    $sig_str =~ s/\.0*$//                       # "1.000" -> "1"
      || $sig_str =~ s/(\..*[^0])0+$/$1/;       # "1.010" -> "1.01"
    $sig_str = '0' unless CORE::length($sig_str);

    return '+', '0', '+', '0' if $sig_str eq '0';

    $exp_str =~ tr/_//d;                        # "01_234" -> "01234"
    $exp_str =~ s/^0+//;                        # "01234" -> "1234"
    $exp_str = '0' unless CORE::length($exp_str);

    return $sig_sgn, $sig_str, $exp_sgn, $exp_str;
}

# Takes any string representing a valid decimal number and splits it into four
# strings: the sign of the significand, the absolute value of the significand,
# the sign of the exponent, and the absolute value of the exponent. Both the
# significand and the exponent are in base 10.
#
# Perl accepts literals like the following. The value is 100.1.
#
#   1__0__.__0__1__e+0__1__     (prints "Misplaced _ in number")
#   1_0.0_1e+0_1
#
# Strings representing decimal numbers do not allow underscores, so only the
# following is valid
#
#   "10.01e+01"

sub _dec_str_to_str_parts {
    my $class = shift;
    my $str   = shift;

    if ($str =~ /
                    ^

                    # optional leading whitespace
                    \s*

                    # optional sign
                    ( [+-]? )

                    # significand
                    (
                        # integer part and optional fraction part ...
                        \d+ (?: _+ \d+ )* _*
                        (?:
                            \.
                            (?: _* \d+ (?: _+ \d+ )* _* )?
                        )?
                    |
                        # ... or mandatory fraction part
                        \.
                        \d+ (?: _+ \d+ )* _*
                    )

                    # optional exponent
                    (?:
                        [Ee]
                        ( [+-]? )
                        ( \d+ (?: _+ \d+ )* _* )
                    )?

                    # optional trailing whitespace
                    \s*

                    $
                /x)
    {
        return $class -> _trim_split_parts($1, $2, $3, $4);
    }

    return;
}

# Takes any string representing a valid hexadecimal number and splits it into
# four strings: the sign of the significand, the absolute value of the
# significand, the sign of the exponent, and the absolute value of the exponent.
# The significand is in base 16, and the exponent is in base 2.
#
# Perl accepts literals like the following. The "x" might be a capital "X". The
# value is 32.0078125.
#
#   0x__1__0__.0__1__p+0__1__   (prints "Misplaced _ in number")
#   0x1_0.0_1p+0_1
#
# The CORE::hex() function does not accept floating point accepts
#
#   "0x_1_0"
#   "x_1_0"
#   "_1_0"

sub _hex_str_to_str_parts {
    my $class = shift;
    my $str   = shift;

    if ($str =~ /
                    ^

                    # optional leading whitespace
                    \s*

                    # optional sign
                    ( [+-]? )

                    # optional hex prefix
                    (?: 0? [Xx] _* )?

                    # significand using the hex digits 0..9 and a..f
                    (
                        # integer part and optional fraction part ...
                        [0-9a-fA-F]+ (?: _+ [0-9a-fA-F]+ )* _*
                        (?:
                            \.
                            (?: _* [0-9a-fA-F]+ (?: _+ [0-9a-fA-F]+ )* _* )?
                        )?
                    |
                        # ... or mandatory fraction part
                        \.
                        [0-9a-fA-F]+ (?: _+ [0-9a-fA-F]+ )* _*
                    )

                    # optional exponent (power of 2) using decimal digits
                    (?:
                        [Pp]
                        ( [+-]? )
                        ( \d+ (?: _+ \d+ )* _* )
                    )?

                    # optional trailing whitespace
                    \s*

                    $
                /x)
    {
        return $class -> _trim_split_parts($1, $2, $3, $4);
    }

    return;
}

# Takes any string representing a valid octal number and splits it into four
# strings: the sign of the significand, the absolute value of the significand,
# the sign of the exponent, and the absolute value of the exponent. The
# significand is in base 8, and the exponent is in base 2.

sub _oct_str_to_str_parts {
    my $class = shift;
    my $str   = shift;

    if ($str =~ /
                    ^

                    # optional leading whitespace
                    \s*

                    # optional sign
                    ( [+-]? )

                    # optional octal prefix
                    (?: 0? [Oo] _* )?

                    # significand using the octal digits 0..7
                    (
                        # integer part and optional fraction part ...
                        [0-7]+ (?: _+ [0-7]+ )* _*
                        (?:
                            \.
                            (?: _* [0-7]+ (?: _+ [0-7]+ )* _* )?
                        )?
                    |
                        # ... or mandatory fraction part
                        \.
                        [0-7]+ (?: _+ [0-7]+ )* _*
                    )

                    # optional exponent (power of 2) using decimal digits
                    (?:
                        [Pp]
                        ( [+-]? )
                        ( \d+ (?: _+ \d+ )* _* )
                    )?

                    # optional trailing whitespace
                    \s*

                    $
                /x)
    {
        return $class -> _trim_split_parts($1, $2, $3, $4);
    }

    return;
}

# Takes any string representing a valid binary number and splits it into four
# strings: the sign of the significand, the absolute value of the significand,
# the sign of the exponent, and the absolute value of the exponent. The
# significand is in base 2, and the exponent is in base 2.

sub _bin_str_to_str_parts {
    my $class = shift;
    my $str   = shift;

    if ($str =~ /
                    ^

                    # optional leading whitespace
                    \s*

                    # optional sign
                    ( [+-]? )

                    # optional binary prefix
                    (?: 0? [Bb] _* )?

                    # significand using the binary digits 0 and 1
                    (
                        # integer part and optional fraction part ...
                        [01]+ (?: _+ [01]+ )* _*
                        (?:
                            \.
                            (?: _* [01]+ (?: _+ [01]+ )* _* )?
                        )?
                    |
                        # ... or mandatory fraction part
                        \.
                        [01]+ (?: _+ [01]+ )* _*
                    )

                    # optional exponent (power of 2) using decimal digits
                    (?:
                        [Pp]
                        ( [+-]? )
                        ( \d+ (?: _+ \d+ )* _* )
                    )?

                    # optional trailing whitespace
                    \s*

                    $
                /x)
    {
        return $class -> _trim_split_parts($1, $2, $3, $4);
    }

    return;
}

# Takes any string representing a valid decimal number and splits it into four
# parts: the sign of the significand, the absolute value of the significand as a
# libray thingy, the sign of the exponent, and the absolute value of the
# exponent as a library thingy.

sub _dec_parts_to_lib_parts {
    shift;

    my ($sig_sgn, $sig_str, $exp_sgn, $exp_str) = @_;

    # Handle zero.

    if ($sig_str eq '0') {
        return '+', $LIB -> _zero(), '+', $LIB -> _zero();
    }

    # Absolute value of exponent as library "object".

    my $exp_lib = $LIB -> _new($exp_str);

    # If there is a dot in the significand, remove it so the significand
    # becomes an integer and adjust the exponent accordingly. Also remove
    # leading zeros which might now appear in the significand. E.g.,
    #
    #     12.345e-2  ->  12345e-5
    #     12.345e+2  ->  12345e-1
    #     0.0123e+5  ->  00123e+1  ->  123e+1

    my $idx = index $sig_str, '.';
    if ($idx >= 0) {
        substr($sig_str, $idx, 1) = '';

        # delta = length - index
        my $delta = $LIB -> _new(CORE::length($sig_str));
        $delta = $LIB -> _sub($delta, $LIB -> _new($idx));

        # exponent - delta
        ($exp_lib, $exp_sgn) = _e_sub($exp_lib, $delta, $exp_sgn, '+');
        #($exp_lib, $exp_sgn) = $LIB -> _ssub($exp_lib, $exp_sgn, $delta, '+');

        $sig_str =~ s/^0+//;
    }

    # If there are trailing zeros in the significand, remove them and
    # adjust the exponent. E.g.,
    #
    #     12340e-5  ->  1234e-4
    #     12340e-1  ->  1234e0
    #     12340e+3  ->  1234e4

    if ($sig_str =~ s/(0+)\z//) {
        my $len = CORE::length($1);
        ($exp_lib, $exp_sgn) =
          $LIB -> _sadd($exp_lib, $exp_sgn, $LIB -> _new($len), '+');
    }

    # At this point, the significand is empty or an integer with no trailing
    # zeros. The exponent is in base 10.

    unless (CORE::length $sig_str) {
        return '+', $LIB -> _zero(), '+', $LIB -> _zero();
    }

    # Absolute value of significand as library "object".

    my $sig_lib = $LIB -> _new($sig_str);

    return $sig_sgn, $sig_lib, $exp_sgn, $exp_lib;
}

# Takes any string representing a valid binary number and splits it into four
# parts: the sign of the significand, the absolute value of the significand as a
# libray thingy, the sign of the exponent, and the absolute value of the
# exponent as a library thingy.

sub _bin_parts_to_lib_parts {
    shift;

    my ($sig_sgn, $sig_str, $exp_sgn, $exp_str, $bpc) = @_;
    my $bpc_lib = $LIB -> _new($bpc);

    # Handle zero.

    if ($sig_str eq '0') {
        return '+', $LIB -> _zero(), '+', $LIB -> _zero();
    }

    # Absolute value of exponent as library "object".

    my $exp_lib = $LIB -> _new($exp_str);

    # If there is a dot in the significand, remove it so the significand
    # becomes an integer and adjust the exponent accordingly. Also remove
    # leading zeros which might now appear in the significand. E.g., with
    # hexadecimal numbers
    #
    #     12.345p-2  ->  12345p-14
    #     12.345p+2  ->  12345p-10
    #     0.0123p+5  ->  00123p-11  ->  123p-11

    my $idx = index $sig_str, '.';
    if ($idx >= 0) {
        substr($sig_str, $idx, 1) = '';

        # delta = (length - index) * bpc
        my $delta = $LIB -> _new(CORE::length($sig_str));
        $delta = $LIB -> _sub($delta, $LIB -> _new($idx));
        $delta = $LIB -> _mul($delta, $bpc_lib) if $bpc != 1;

        # exponent - delta
        ($exp_lib, $exp_sgn) = _e_sub($exp_lib, $delta, $exp_sgn, '+');
        #($exp_lib, $exp_sgn) = $LIB -> _ssub($exp_lib, $exp_sgn, $delta, '+');

        $sig_str =~ s/^0+//;
    }

    # If there are trailing zeros in the significand, remove them and
    # adjust the exponent accordingly. E.g., with hexadecimal numbers
    #
    #     12340p-5  ->  1234p-1
    #     12340p-1  ->  1234p+3
    #     12340p+3  ->  1234p+7

    if ($sig_str =~ s/(0+)\z//) {

        # delta = length * bpc
        my $delta = $LIB -> _new(CORE::length($1));
        $delta = $LIB -> _mul($delta, $bpc_lib) if $bpc != 1;

        # exponent + delta
        ($exp_lib, $exp_sgn) = $LIB -> _sadd($exp_lib, $exp_sgn, $delta, '+');
    }

    # At this point, the significand is empty or an integer with no leading
    # or trailing zeros. The exponent is in base 2.

    unless (CORE::length $sig_str) {
        return '+', $LIB -> _zero(), '+', $LIB -> _zero();
    }

    # Absolute value of significand as library "object".

    my $sig_lib = $bpc == 1 ? $LIB -> _from_bin('0b' . $sig_str)
                : $bpc == 3 ? $LIB -> _from_oct('0'  . $sig_str)
                : $bpc == 4 ? $LIB -> _from_hex('0x' . $sig_str)
                : die "internal error: invalid exponent multiplier";

    # If the exponent (in base 2) is positive or zero ...

    if ($exp_sgn eq '+') {

        if (!$LIB -> _is_zero($exp_lib)) {

            # Multiply significand by 2 raised to the exponent.

            my $p = $LIB -> _pow($LIB -> _two(), $exp_lib);
            $sig_lib = $LIB -> _mul($sig_lib, $p);
            $exp_lib = $LIB -> _zero();
        }
    }

    # ... else if the exponent is negative ...

    else {

        # Rather than dividing the significand by 2 raised to the absolute
        # value of the exponent, multiply the significand by 5 raised to the
        # absolute value of the exponent and let the exponent be in base 10:
        #
        # a * 2^(-b) = a * 5^b * 10^(-b) = c * 10^(-b), where c = a * 5^b

        my $p = $LIB -> _pow($LIB -> _new("5"), $exp_lib);
        $sig_lib = $LIB -> _mul($sig_lib, $p);
    }

    # Adjust for the case when the conversion to decimal introduced trailing
    # zeros in the significand.

    my $n = $LIB -> _zeros($sig_lib);
    if ($n) {
        $n = $LIB -> _new($n);
        $sig_lib = $LIB -> _rsft($sig_lib, $n, 10);
        ($exp_lib, $exp_sgn) = $LIB -> _sadd($exp_lib, $exp_sgn, $n, '+');
    }

    return $sig_sgn, $sig_lib, $exp_sgn, $exp_lib;
}

# Takes any string representing a valid hexadecimal number and splits it into
# four parts: the sign of the significand, the absolute value of the significand
# as a libray thingy, the sign of the exponent, and the absolute value of the
# exponent as a library thingy.

sub _hex_str_to_lib_parts {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _hex_str_to_str_parts($str)) {
        return $class -> _bin_parts_to_lib_parts(@parts, 4);  # 4 bits pr. chr
    }
    return;
}

# Takes any string representing a valid octal number and splits it into four
# parts: the sign of the significand, the absolute value of the significand as a
# libray thingy, the sign of the exponent, and the absolute value of the
# exponent as a library thingy.

sub _oct_str_to_lib_parts {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _oct_str_to_str_parts($str)) {
        return $class -> _bin_parts_to_lib_parts(@parts, 3);  # 3 bits pr. chr
    }
    return;
}

# Takes any string representing a valid binary number and splits it into four
# parts: the sign of the significand, the absolute value of the significand as a
# libray thingy, the sign of the exponent, and the absolute value of the
# exponent as a library thingy.

sub _bin_str_to_lib_parts {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _bin_str_to_str_parts($str)) {
        return $class -> _bin_parts_to_lib_parts(@parts, 1);  # 1 bit pr. chr
    }
    return;
}

# Decimal string is split into the sign of the signficant, the absolute value of
# the significand as library thingy, the sign of the exponent, and the absolute
# value of the exponent as a a library thingy.

sub _dec_str_to_lib_parts {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _dec_str_to_str_parts($str)) {
        return $class -> _dec_parts_to_lib_parts(@parts);
    }
    return;
}

# Hexdecimal string to a string using decimal floating point notation.

sub hex_str_to_dec_flt_str {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _hex_str_to_lib_parts($str)) {
        return $class -> _lib_parts_to_flt_str(@parts);
    }
    return;
}

# Octal string to a string using decimal floating point notation.

sub oct_str_to_dec_flt_str {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _oct_str_to_lib_parts($str)) {
        return $class -> _lib_parts_to_flt_str(@parts);
    }
    return;
}

# Binary string to a string decimal floating point notation.

sub bin_str_to_dec_flt_str {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _bin_str_to_lib_parts($str)) {
        return $class -> _lib_parts_to_flt_str(@parts);
    }
    return;
}

# Decimal string to a string using decimal floating point notation.

sub dec_str_to_dec_flt_str {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _dec_str_to_lib_parts($str)) {
        return $class -> _lib_parts_to_flt_str(@parts);
    }
    return;
}

# Hexdecimal string to decimal notation (no exponent).

sub hex_str_to_dec_str {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _dec_str_to_lib_parts($str)) {
        return $class -> _lib_parts_to_dec_str(@parts);
    }
    return;
}

# Octal string to decimal notation (no exponent).

sub oct_str_to_dec_str {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _oct_str_to_lib_parts($str)) {
        return $class -> _lib_parts_to_dec_str(@parts);
    }
    return;
}

# Binary string to decimal notation (no exponent).

sub bin_str_to_dec_str {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _bin_str_to_lib_parts($str)) {
        return $class -> _lib_parts_to_dec_str(@parts);
    }
    return;
}

# Decimal string to decimal notation (no exponent).

sub dec_str_to_dec_str {
    my $class = shift;
    my $str   = shift;
    if (my @parts = $class -> _dec_str_to_lib_parts($str)) {
        return $class -> _lib_parts_to_dec_str(@parts);
    }
    return;
}

sub _lib_parts_to_flt_str {
    my $class = shift;
    my @parts = @_;
    return $parts[0] . $LIB -> _str($parts[1])
      . 'e' . $parts[2] . $LIB -> _str($parts[3]);
}

sub _lib_parts_to_dec_str {
    my $class = shift;
    my @parts = @_;

    # The number is an integer iff the exponent is non-negative.

    if ($parts[2] eq '+') {
        my $str = $parts[0]
          . $LIB -> _str($LIB -> _lsft($parts[1], $parts[3], 10));
        return $str;
    }

    # If it is not an integer, add a decimal point.

    else {
        my $mant     = $LIB -> _str($parts[1]);
        my $mant_len = CORE::length($mant);
        my $expo     = $LIB -> _num($parts[3]);
        my $len_cmp = $mant_len <=> $expo;
        if ($len_cmp <= 0) {
            return $parts[0] . '0.' . '0' x ($expo - $mant_len) . $mant;
        } else {
            substr $mant, $mant_len - $expo, 0, '.';
            return $parts[0] . $mant;
        }
    }
}

###############################################################################
# this method returns 0 if the object can be modified, or 1 if not.
# We use a fast constant sub() here, to avoid costly calls. Subclasses
# may override it with special code (f.i. Math::BigInt::Constant does so)

sub modify () { 0; }

1;

__END__

=pod

=head1 NAME

Math::BigInt - arbitrary size integer math package

=head1 SYNOPSIS

  use Math::BigInt;

  # or make it faster with huge numbers: install (optional)
  # Math::BigInt::GMP and always use (it falls back to
  # pure Perl if the GMP library is not installed):
  # (See also the L<MATH LIBRARY> section!)

  # to warn if Math::BigInt::GMP cannot be found, use
  use Math::BigInt lib => 'GMP';

  # to suppress the warning if Math::BigInt::GMP cannot be found, use
  # use Math::BigInt try => 'GMP';

  # to die if Math::BigInt::GMP cannot be found, use
  # use Math::BigInt only => 'GMP';

  my $str = '1234567890';
  my @values = (64, 74, 18);
  my $n = 1; my $sign = '-';

  # Configuration methods (may be used as class methods and instance methods)

  Math::BigInt->accuracy();     # get class accuracy
  Math::BigInt->accuracy($n);   # set class accuracy
  Math::BigInt->precision();    # get class precision
  Math::BigInt->precision($n);  # set class precision
  Math::BigInt->round_mode();   # get class rounding mode
  Math::BigInt->round_mode($m); # set global round mode, must be one of
                                # 'even', 'odd', '+inf', '-inf', 'zero',
                                # 'trunc', or 'common'
  Math::BigInt->config();       # return hash with configuration

  # Constructor methods (when the class methods below are used as instance
  # methods, the value is assigned the invocand)

  $x = Math::BigInt->new($str);             # defaults to 0
  $x = Math::BigInt->new('0x123');          # from hexadecimal
  $x = Math::BigInt->new('0b101');          # from binary
  $x = Math::BigInt->from_hex('cafe');      # from hexadecimal
  $x = Math::BigInt->from_oct('377');       # from octal
  $x = Math::BigInt->from_bin('1101');      # from binary
  $x = Math::BigInt->from_base('why', 36);  # from any base
  $x = Math::BigInt->from_base_num([1, 0], 2);  # from any base
  $x = Math::BigInt->bzero();               # create a +0
  $x = Math::BigInt->bone();                # create a +1
  $x = Math::BigInt->bone('-');             # create a -1
  $x = Math::BigInt->binf();                # create a +inf
  $x = Math::BigInt->binf('-');             # create a -inf
  $x = Math::BigInt->bnan();                # create a Not-A-Number
  $x = Math::BigInt->bpi();                 # returns pi

  $y = $x->copy();         # make a copy (unlike $y = $x)
  $y = $x->as_int();       # return as a Math::BigInt

  # Boolean methods (these don't modify the invocand)

  $x->is_zero();          # if $x is 0
  $x->is_one();           # if $x is +1
  $x->is_one("+");        # ditto
  $x->is_one("-");        # if $x is -1
  $x->is_inf();           # if $x is +inf or -inf
  $x->is_inf("+");        # if $x is +inf
  $x->is_inf("-");        # if $x is -inf
  $x->is_nan();           # if $x is NaN

  $x->is_positive();      # if $x > 0
  $x->is_pos();           # ditto
  $x->is_negative();      # if $x < 0
  $x->is_neg();           # ditto

  $x->is_odd();           # if $x is odd
  $x->is_even();          # if $x is even
  $x->is_int();           # if $x is an integer

  # Comparison methods

  $x->bcmp($y);           # compare numbers (undef, < 0, == 0, > 0)
  $x->bacmp($y);          # compare absolutely (undef, < 0, == 0, > 0)
  $x->beq($y);            # true if and only if $x == $y
  $x->bne($y);            # true if and only if $x != $y
  $x->blt($y);            # true if and only if $x < $y
  $x->ble($y);            # true if and only if $x <= $y
  $x->bgt($y);            # true if and only if $x > $y
  $x->bge($y);            # true if and only if $x >= $y

  # Arithmetic methods

  $x->bneg();             # negation
  $x->babs();             # absolute value
  $x->bsgn();             # sign function (-1, 0, 1, or NaN)
  $x->bnorm();            # normalize (no-op)
  $x->binc();             # increment $x by 1
  $x->bdec();             # decrement $x by 1
  $x->badd($y);           # addition (add $y to $x)
  $x->bsub($y);           # subtraction (subtract $y from $x)
  $x->bmul($y);           # multiplication (multiply $x by $y)
  $x->bmuladd($y,$z);     # $x = $x * $y + $z
  $x->bdiv($y);           # division (floored), set $x to quotient
                          # return (quo,rem) or quo if scalar
  $x->btdiv($y);          # division (truncated), set $x to quotient
                          # return (quo,rem) or quo if scalar
  $x->bmod($y);           # modulus (x % y)
  $x->btmod($y);          # modulus (truncated)
  $x->bmodinv($mod);      # modular multiplicative inverse
  $x->bmodpow($y,$mod);   # modular exponentiation (($x ** $y) % $mod)
  $x->bpow($y);           # power of arguments (x ** y)
  $x->blog();             # logarithm of $x to base e (Euler's number)
  $x->blog($base);        # logarithm of $x to base $base (e.g., base 2)
  $x->bexp();             # calculate e ** $x where e is Euler's number
  $x->bnok($y);           # x over y (binomial coefficient n over k)
  $x->buparrow($n, $y);   # Knuth's up-arrow notation
  $x->backermann($y);     # the Ackermann function
  $x->bsin();             # sine
  $x->bcos();             # cosine
  $x->batan();            # inverse tangent
  $x->batan2($y);         # two-argument inverse tangent
  $x->bsqrt();            # calculate square root
  $x->broot($y);          # $y'th root of $x (e.g. $y == 3 => cubic root)
  $x->bfac();             # factorial of $x (1*2*3*4*..$x)
  $x->bdfac();            # double factorial of $x ($x*($x-2)*($x-4)*...)
  $x->btfac();            # triple factorial of $x ($x*($x-3)*($x-6)*...)
  $x->bmfac($k);          # $k'th multi-factorial of $x ($x*($x-$k)*...)

  $x->blsft($n);          # left shift $n places in base 2
  $x->blsft($n,$b);       # left shift $n places in base $b
                          # returns (quo,rem) or quo (scalar context)
  $x->brsft($n);          # right shift $n places in base 2
  $x->brsft($n,$b);       # right shift $n places in base $b
                          # returns (quo,rem) or quo (scalar context)

  # Bitwise methods

  $x->band($y);           # bitwise and
  $x->bior($y);           # bitwise inclusive or
  $x->bxor($y);           # bitwise exclusive or
  $x->bnot();             # bitwise not (two's complement)

  # Rounding methods
  $x->round($A,$P,$mode); # round to accuracy or precision using
                          # rounding mode $mode
  $x->bround($n);         # accuracy: preserve $n digits
  $x->bfround($n);        # $n > 0: round to $nth digit left of dec. point
                          # $n < 0: round to $nth digit right of dec. point
  $x->bfloor();           # round towards minus infinity
  $x->bceil();            # round towards plus infinity
  $x->bint();             # round towards zero

  # Other mathematical methods

  $x->bgcd($y);            # greatest common divisor
  $x->blcm($y);            # least common multiple

  # Object property methods (do not modify the invocand)

  $x->sign();              # the sign, either +, - or NaN
  $x->digit($n);           # the nth digit, counting from the right
  $x->digit(-$n);          # the nth digit, counting from the left
  $x->length();            # return number of digits in number
  ($xl,$f) = $x->length(); # length of number and length of fraction
                           # part, latter is always 0 digits long
                           # for Math::BigInt objects
  $x->mantissa();          # return (signed) mantissa as a Math::BigInt
  $x->exponent();          # return exponent as a Math::BigInt
  $x->parts();             # return (mantissa,exponent) as a Math::BigInt
  $x->sparts();            # mantissa and exponent (as integers)
  $x->nparts();            # mantissa and exponent (normalised)
  $x->eparts();            # mantissa and exponent (engineering notation)
  $x->dparts();            # integer and fraction part
  $x->fparts();            # numerator and denominator
  $x->numerator();         # numerator
  $x->denominator();       # denominator

  # Conversion methods (do not modify the invocand)

  $x->bstr();         # decimal notation, possibly zero padded
  $x->bsstr();        # string in scientific notation with integers
  $x->bnstr();        # string in normalized notation
  $x->bestr();        # string in engineering notation
  $x->bdstr();        # string in decimal notation

  $x->to_hex();       # as signed hexadecimal string
  $x->to_bin();       # as signed binary string
  $x->to_oct();       # as signed octal string
  $x->to_bytes();     # as byte string
  $x->to_base($b);    # as string in any base
  $x->to_base_num($b);   # as array of integers in any base

  $x->as_hex();       # as signed hexadecimal string with prefixed 0x
  $x->as_bin();       # as signed binary string with prefixed 0b
  $x->as_oct();       # as signed octal string with prefixed 0

  # Other conversion methods

  $x->numify();           # return as scalar (might overflow or underflow)

=head1 DESCRIPTION

Math::BigInt provides support for arbitrary precision integers. Overloading is
also provided for Perl operators.

=head2 Input

Input values to these routines may be any scalar number or string that looks
like a number and represents an integer. Anything that is accepted by Perl as a
literal numeric constant should be accepted by this module, except that finite
non-integers return NaN.

=over

=item *

Leading and trailing whitespace is ignored.

=item *

Leading zeros are ignored, except for floating point numbers with a binary
exponent, in which case the number is interpreted as an octal floating point
number. For example, "01.4p+0" gives 1.5, "00.4p+0" gives 0.5, but "0.4p+0"
gives a NaN. And while "0377" gives 255, "0377p0" gives 255.

=item *

If the string has a "0x" or "0X" prefix, it is interpreted as a hexadecimal
number.

=item *

If the string has a "0o" or "0O" prefix, it is interpreted as an octal number. A
floating point literal with a "0" prefix is also interpreted as an octal number.

=item *

If the string has a "0b" or "0B" prefix, it is interpreted as a binary number.

=item *

Underline characters are allowed in the same way as they are allowed in literal
numerical constants.

=item *

If the string can not be interpreted, or does not represent a finite integer,
NaN is returned.

=item *

For hexadecimal, octal, and binary floating point numbers, the exponent must be
separated from the significand (mantissa) by the letter "p" or "P", not "e" or
"E" as with decimal numbers.

=back

Some examples of valid string input

    Input string                Resulting value

    123                         123
    1.23e2                      123
    12300e-2                    123

    67_538_754                  67538754
    -4_5_6.7_8_9e+0_1_0         -4567890000000

    0x13a                       314
    0x13ap0                     314
    0x1.3ap+8                   314
    0x0.00013ap+24              314
    0x13a000p-12                314

    0o472                       314
    0o1.164p+8                  314
    0o0.0001164p+20             314
    0o1164000p-10               314

    0472                        472     Note!
    01.164p+8                   314
    00.0001164p+20              314
    01164000p-10                314

    0b100111010                 314
    0b1.0011101p+8              314
    0b0.00010011101p+12         314
    0b100111010000p-3           314

Input given as scalar numbers might lose precision. Quote your input to ensure
that no digits are lost:

    $x = Math::BigInt->new( 56789012345678901234 );   # bad
    $x = Math::BigInt->new('56789012345678901234');   # good

Currently, C<Math::BigInt->new()> (no input argument) and
C<Math::BigInt->new("")> return 0. This might change in the future, so always
use the following explicit forms to get a zero:

    $zero = Math::BigInt->bzero();

=head2 Output

Output values are usually Math::BigInt objects.

Boolean operators C<is_zero()>, C<is_one()>, C<is_inf()>, etc. return true or
false.

Comparison operators C<bcmp()> and C<bacmp()>) return -1, 0, 1, or
undef.

=head1 METHODS

=head2 Configuration methods

Each of the methods below (except config(), accuracy() and precision()) accepts
three additional parameters. These arguments C<$A>, C<$P> and C<$R> are
C<accuracy>, C<precision> and C<round_mode>. Please see the section about
L</ACCURACY and PRECISION> for more information.

Setting a class variable effects all object instance that are created
afterwards.

=over

=item accuracy()

    Math::BigInt->accuracy(5);      # set class accuracy
    $x->accuracy(5);                # set instance accuracy

    $A = Math::BigInt->accuracy();  # get class accuracy
    $A = $x->accuracy();            # get instance accuracy

Set or get the accuracy, i.e., the number of significant digits. The accuracy
must be an integer. If the accuracy is set to C<undef>, no rounding is done.

Alternatively, one can round the results explicitly using one of L</round()>,
L</bround()> or L</bfround()> or by passing the desired accuracy to the method
as an additional parameter:

    my $x = Math::BigInt->new(30000);
    my $y = Math::BigInt->new(7);
    print scalar $x->copy()->bdiv($y, 2);               # prints 4300
    print scalar $x->copy()->bdiv($y)->bround(2);       # prints 4300

Please see the section about L</ACCURACY and PRECISION> for further details.

    $y = Math::BigInt->new(1234567);    # $y is not rounded
    Math::BigInt->accuracy(4);          # set class accuracy to 4
    $x = Math::BigInt->new(1234567);    # $x is rounded automatically
    print "$x $y";                      # prints "1235000 1234567"

    print $x->accuracy();       # prints "4"
    print $y->accuracy();       # also prints "4", since
                                #   class accuracy is 4

    Math::BigInt->accuracy(5);  # set class accuracy to 5
    print $x->accuracy();       # prints "4", since instance
                                #   accuracy is 4
    print $y->accuracy();       # prints "5", since no instance
                                #   accuracy, and class accuracy is 5

Note: Each class has it's own globals separated from Math::BigInt, but it is
possible to subclass Math::BigInt and make the globals of the subclass aliases
to the ones from Math::BigInt.

=item precision()

    Math::BigInt->precision(-2);     # set class precision
    $x->precision(-2);               # set instance precision

    $P = Math::BigInt->precision();  # get class precision
    $P = $x->precision();            # get instance precision

Set or get the precision, i.e., the place to round relative to the decimal
point. The precision must be a integer. Setting the precision to $P means that
each number is rounded up or down, depending on the rounding mode, to the
nearest multiple of 10**$P. If the precision is set to C<undef>, no rounding is
done.

You might want to use L</accuracy()> instead. With L</accuracy()> you set the
number of digits each result should have, with L</precision()> you set the
place where to round.

Please see the section about L</ACCURACY and PRECISION> for further details.

    $y = Math::BigInt->new(1234567);    # $y is not rounded
    Math::BigInt->precision(4);         # set class precision to 4
    $x = Math::BigInt->new(1234567);    # $x is rounded automatically
    print $x;                           # prints "1230000"

Note: Each class has its own globals separated from Math::BigInt, but it is
possible to subclass Math::BigInt and make the globals of the subclass aliases
to the ones from Math::BigInt.

=item div_scale()

Set/get the fallback accuracy. This is the accuracy used when neither accuracy
nor precision is set explicitly. It is used when a computation might otherwise
attempt to return an infinite number of digits.

=item round_mode()

Set/get the rounding mode.

=item upgrade()

Set/get the class for upgrading. When a computation might result in a
non-integer, the operands are upgraded to this class. This is used for instance
by L<bignum>. The default is C<undef>, i.e., no upgrading.

    # with no upgrading
    $x = Math::BigInt->new(12);
    $y = Math::BigInt->new(5);
    print $x / $y, "\n";                # 2 as a Math::BigInt

    # with upgrading to Math::BigFloat
    Math::BigInt -> upgrade("Math::BigFloat");
    print $x / $y, "\n";                # 2.4 as a Math::BigFloat

    # with upgrading to Math::BigRat (after loading Math::BigRat)
    Math::BigInt -> upgrade("Math::BigRat");
    print $x / $y, "\n";                # 12/5 as a Math::BigRat

=item downgrade()

Set/get the class for downgrading. The default is C<undef>, i.e., no
downgrading. Downgrading is not done by Math::BigInt.

=item modify()

    $x->modify('bpowd');

This method returns 0 if the object can be modified with the given operation,
or 1 if not.

This is used for instance by L<Math::BigInt::Constant>.

=item config()

    Math::BigInt->config("trap_nan" => 1);      # set
    $accu = Math::BigInt->config("accuracy");   # get

Set or get class variables. Read-only parameters are marked as RO. Read-write
parameters are marked as RW. The following parameters are supported.

    Parameter       RO/RW   Description
                            Example
    ============================================================
    lib             RO      Name of the math backend library
                            Math::BigInt::Calc
    lib_version     RO      Version of the math backend library
                            0.30
    class           RO      The class of config you just called
                            Math::BigRat
    version         RO      version number of the class you used
                            0.10
    upgrade         RW      To which class numbers are upgraded
                            undef
    downgrade       RW      To which class numbers are downgraded
                            undef
    precision       RW      Global precision
                            undef
    accuracy        RW      Global accuracy
                            undef
    round_mode      RW      Global round mode
                            even
    div_scale       RW      Fallback accuracy for division etc.
                            40
    trap_nan        RW      Trap NaNs
                            undef
    trap_inf        RW      Trap +inf/-inf
                            undef

=back

=head2 Constructor methods

=over

=item new()

    $x = Math::BigInt->new($str,$A,$P,$R);

Creates a new Math::BigInt object from a scalar or another Math::BigInt object.
The input is accepted as decimal, hexadecimal (with leading '0x'), octal (with
leading ('0o') or binary (with leading '0b').

See L</Input> for more info on accepted input formats.

=item from_dec()

    $x = Math::BigInt->from_dec("314159");    # input is decimal

Interpret input as a decimal. It is equivalent to new(), but does not accept
anything but strings representing finite, decimal numbers.

=item from_hex()

    $x = Math::BigInt->from_hex("0xcafe");    # input is hexadecimal

Interpret input as a hexadecimal string. A "0x" or "x" prefix is optional. A
single underscore character may be placed right after the prefix, if present,
or between any two digits. If the input is invalid, a NaN is returned.

=item from_oct()

    $x = Math::BigInt->from_oct("0775");      # input is octal

Interpret the input as an octal string and return the corresponding value. A
"0" (zero) prefix is optional. A single underscore character may be placed
right after the prefix, if present, or between any two digits. If the input is
invalid, a NaN is returned.

=item from_bin()

    $x = Math::BigInt->from_bin("0b10011");   # input is binary

Interpret the input as a binary string. A "0b" or "b" prefix is optional. A
single underscore character may be placed right after the prefix, if present,
or between any two digits. If the input is invalid, a NaN is returned.

=item from_bytes()

    $x = Math::BigInt->from_bytes("\xf3\x6b");  # $x = 62315

Interpret the input as a byte string, assuming big endian byte order. The
output is always a non-negative, finite integer.

In some special cases, from_bytes() matches the conversion done by unpack():

    $b = "\x4e";                             # one char byte string
    $x = Math::BigInt->from_bytes($b);       # = 78
    $y = unpack "C", $b;                     # ditto, but scalar

    $b = "\xf3\x6b";                         # two char byte string
    $x = Math::BigInt->from_bytes($b);       # = 62315
    $y = unpack "S>", $b;                    # ditto, but scalar

    $b = "\x2d\xe0\x49\xad";                 # four char byte string
    $x = Math::BigInt->from_bytes($b);       # = 769673645
    $y = unpack "L>", $b;                    # ditto, but scalar

    $b = "\x2d\xe0\x49\xad\x2d\xe0\x49\xad"; # eight char byte string
    $x = Math::BigInt->from_bytes($b);       # = 3305723134637787565
    $y = unpack "Q>", $b;                    # ditto, but scalar

=item from_base()

Given a string, a base, and an optional collation sequence, interpret the
string as a number in the given base. The collation sequence describes the
value of each character in the string.

If a collation sequence is not given, a default collation sequence is used. If
the base is less than or equal to 36, the collation sequence is the string
consisting of the 36 characters "0" to "9" and "A" to "Z". In this case, the
letter case in the input is ignored. If the base is greater than 36, and
smaller than or equal to 62, the collation sequence is the string consisting of
the 62 characters "0" to "9", "A" to "Z", and "a" to "z". A base larger than 62
requires the collation sequence to be specified explicitly.

These examples show standard binary, octal, and hexadecimal conversion. All
cases return 250.

    $x = Math::BigInt->from_base("11111010", 2);
    $x = Math::BigInt->from_base("372", 8);
    $x = Math::BigInt->from_base("fa", 16);

When the base is less than or equal to 36, and no collation sequence is given,
the letter case is ignored, so both of these also return 250:

    $x = Math::BigInt->from_base("6Y", 16);
    $x = Math::BigInt->from_base("6y", 16);

When the base greater than 36, and no collation sequence is given, the default
collation sequence contains both uppercase and lowercase letters, so
the letter case in the input is not ignored:

    $x = Math::BigInt->from_base("6S", 37);         # $x is 250
    $x = Math::BigInt->from_base("6s", 37);         # $x is 276
    $x = Math::BigInt->from_base("121", 3);         # $x is 16
    $x = Math::BigInt->from_base("XYZ", 36);        # $x is 44027
    $x = Math::BigInt->from_base("Why", 42);        # $x is 58314

The collation sequence can be any set of unique characters. These two cases
are equivalent

    $x = Math::BigInt->from_base("100", 2, "01");   # $x is 4
    $x = Math::BigInt->from_base("|--", 2, "-|");   # $x is 4

=item from_base_num()

Returns a new Math::BigInt object given an array of values and a base. This
method is equivalent to C<from_base()>, but works on numbers in an array rather
than characters in a string. Unlike C<from_base()>, all input values may be
arbitrarily large.

    $x = Math::BigInt->from_base_num([1, 1, 0, 1], 2)     # $x is 13
    $x = Math::BigInt->from_base_num([3, 125, 39], 128)   # $x is 65191

=item bzero()

    $x = Math::BigInt->bzero();
    $x->bzero();

Returns a new Math::BigInt object representing zero. If used as an instance
method, assigns the value to the invocand.

=item bone()

    $x = Math::BigInt->bone();          # +1
    $x = Math::BigInt->bone("+");       # +1
    $x = Math::BigInt->bone("-");       # -1
    $x->bone();                         # +1
    $x->bone("+");                      # +1
    $x->bone('-');                      # -1

Creates a new Math::BigInt object representing one. The optional argument is
either '-' or '+', indicating whether you want plus one or minus one. If used
as an instance method, assigns the value to the invocand.

=item binf()

    $x = Math::BigInt->binf($sign);

Creates a new Math::BigInt object representing infinity. The optional argument
is either '-' or '+', indicating whether you want infinity or minus infinity.
If used as an instance method, assigns the value to the invocand.

    $x->binf();
    $x->binf('-');

=item bnan()

    $x = Math::BigInt->bnan();

Creates a new Math::BigInt object representing NaN (Not A Number). If used as
an instance method, assigns the value to the invocand.

    $x->bnan();

=item bpi()

    $x = Math::BigInt->bpi(100);        # 3
    $x->bpi(100);                       # 3

Creates a new Math::BigInt object representing PI. If used as an instance
method, assigns the value to the invocand. With Math::BigInt this always
returns 3.

If upgrading is in effect, returns PI, rounded to N digits with the current
rounding mode:

    use Math::BigFloat;
    use Math::BigInt upgrade => "Math::BigFloat";
    print Math::BigInt->bpi(3), "\n";           # 3.14
    print Math::BigInt->bpi(100), "\n";         # 3.1415....

=item copy()

    $x->copy();         # make a true copy of $x (unlike $y = $x)

=item as_int()

=item as_number()

These methods are called when Math::BigInt encounters an object it doesn't know
how to handle. For instance, assume $x is a Math::BigInt, or subclass thereof,
and $y is defined, but not a Math::BigInt, or subclass thereof. If you do

    $x -> badd($y);

$y needs to be converted into an object that $x can deal with. This is done by
first checking if $y is something that $x might be upgraded to. If that is the
case, no further attempts are made. The next is to see if $y supports the
method C<as_int()>. If it does, C<as_int()> is called, but if it doesn't, the
next thing is to see if $y supports the method C<as_number()>. If it does,
C<as_number()> is called. The method C<as_int()> (and C<as_number()>) is
expected to return either an object that has the same class as $x, a subclass
thereof, or a string that C<ref($x)-E<gt>new()> can parse to create an object.

C<as_number()> is an alias to C<as_int()>. C<as_number> was introduced in
v1.22, while C<as_int()> was introduced in v1.68.

In Math::BigInt, C<as_int()> has the same effect as C<copy()>.

=back

=head2 Boolean methods

None of these methods modify the invocand object.

=over

=item is_zero()

    $x->is_zero();              # true if $x is 0

Returns true if the invocand is zero and false otherwise.

=item is_one( [ SIGN ])

    $x->is_one();               # true if $x is +1
    $x->is_one("+");            # ditto
    $x->is_one("-");            # true if $x is -1

Returns true if the invocand is one and false otherwise.

=item is_finite()

    $x->is_finite();    # true if $x is not +inf, -inf or NaN

Returns true if the invocand is a finite number, i.e., it is neither +inf,
-inf, nor NaN.

=item is_inf( [ SIGN ] )

    $x->is_inf();               # true if $x is +inf
    $x->is_inf("+");            # ditto
    $x->is_inf("-");            # true if $x is -inf

Returns true if the invocand is infinite and false otherwise.

=item is_nan()

    $x->is_nan();               # true if $x is NaN

=item is_positive()

=item is_pos()

    $x->is_positive();          # true if > 0
    $x->is_pos();               # ditto

Returns true if the invocand is positive and false otherwise. A C<NaN> is
neither positive nor negative.

=item is_negative()

=item is_neg()

    $x->is_negative();          # true if < 0
    $x->is_neg();               # ditto

Returns true if the invocand is negative and false otherwise. A C<NaN> is
neither positive nor negative.

=item is_non_positive()

    $x->is_non_positive();      # true if <= 0

Returns true if the invocand is negative or zero.

=item is_non_negative()

    $x->is_non_negative();      # true if >= 0

Returns true if the invocand is positive or zero.

=item is_odd()

    $x->is_odd();               # true if odd, false for even

Returns true if the invocand is odd and false otherwise. C<NaN>, C<+inf>, and
C<-inf> are neither odd nor even.

=item is_even()

    $x->is_even();              # true if $x is even

Returns true if the invocand is even and false otherwise. C<NaN>, C<+inf>,
C<-inf> are not integers and are neither odd nor even.

=item is_int()

    $x->is_int();               # true if $x is an integer

Returns true if the invocand is an integer and false otherwise. C<NaN>,
C<+inf>, C<-inf> are not integers.

=back

=head2 Comparison methods

None of these methods modify the invocand object. Note that a C<NaN> is neither
less than, greater than, or equal to anything else, even a C<NaN>.

=over

=item bcmp()

    $x->bcmp($y);

Returns -1, 0, 1 depending on whether $x is less than, equal to, or grater than
$y. Returns undef if any operand is a NaN.

=item bacmp()

    $x->bacmp($y);

Returns -1, 0, 1 depending on whether the absolute value of $x is less than,
equal to, or grater than the absolute value of $y. Returns undef if any operand
is a NaN.

=item beq()

    $x -> beq($y);

Returns true if and only if $x is equal to $y, and false otherwise.

=item bne()

    $x -> bne($y);

Returns true if and only if $x is not equal to $y, and false otherwise.

=item blt()

    $x -> blt($y);

Returns true if and only if $x is equal to $y, and false otherwise.

=item ble()

    $x -> ble($y);

Returns true if and only if $x is less than or equal to $y, and false
otherwise.

=item bgt()

    $x -> bgt($y);

Returns true if and only if $x is greater than $y, and false otherwise.

=item bge()

    $x -> bge($y);

Returns true if and only if $x is greater than or equal to $y, and false
otherwise.

=back

=head2 Arithmetic methods

These methods modify the invocand object and returns it.

=over

=item bneg()

    $x->bneg();

Negate the number, e.g. change the sign between '+' and '-', or between '+inf'
and '-inf', respectively. Does nothing for NaN or zero.

=item babs()

    $x->babs();

Set the number to its absolute value, e.g. change the sign from '-' to '+'
and from '-inf' to '+inf', respectively. Does nothing for NaN or positive
numbers.

=item bsgn()

    $x->bsgn();

Signum function. Set the number to -1, 0, or 1, depending on whether the
number is negative, zero, or positive, respectively. Does not modify NaNs.

=item bnorm()

    $x->bnorm();                        # normalize (no-op)

Normalize the number. This is a no-op and is provided only for backwards
compatibility.

=item binc()

    $x->binc();                 # increment x by 1

=item bdec()

    $x->bdec();                 # decrement x by 1

=item badd()

    $x->badd($y);               # addition (add $y to $x)

=item bsub()

    $x->bsub($y);               # subtraction (subtract $y from $x)

=item bmul()

    $x->bmul($y);               # multiplication (multiply $x by $y)

=item bmuladd()

    $x->bmuladd($y,$z);

Multiply $x by $y, and then add $z to the result,

This method was added in v1.87 of Math::BigInt (June 2007).

=item bdiv()

    $x->bdiv($y);               # divide, set $x to quotient

Divides $x by $y by doing floored division (F-division), where the quotient is
the floored (rounded towards negative infinity) quotient of the two operands.
In list context, returns the quotient and the remainder. The remainder is
either zero or has the same sign as the second operand. In scalar context, only
the quotient is returned.

The quotient is always the greatest integer less than or equal to the
real-valued quotient of the two operands, and the remainder (when it is
non-zero) always has the same sign as the second operand; so, for example,

      1 /  4  => ( 0,  1)
      1 / -4  => (-1, -3)
     -3 /  4  => (-1,  1)
     -3 / -4  => ( 0, -3)
    -11 /  2  => (-5,  1)
     11 / -2  => (-5, -1)

The behavior of the overloaded operator % agrees with the behavior of Perl's
built-in % operator (as documented in the perlop manpage), and the equation

    $x == ($x / $y) * $y + ($x % $y)

holds true for any finite $x and finite, non-zero $y.

Perl's "use integer" might change the behaviour of % and / for scalars. This is
because under 'use integer' Perl does what the underlying C library thinks is
right, and this varies. However, "use integer" does not change the way things
are done with Math::BigInt objects.

=item btdiv()

    $x->btdiv($y);              # divide, set $x to quotient

Divides $x by $y by doing truncated division (T-division), where quotient is
the truncated (rouneded towards zero) quotient of the two operands. In list
context, returns the quotient and the remainder. The remainder is either zero
or has the same sign as the first operand. In scalar context, only the quotient
is returned.

=item bmod()

    $x->bmod($y);               # modulus (x % y)

Returns $x modulo $y, i.e., the remainder after floored division (F-division).
This method is like Perl's % operator. See L</bdiv()>.

=item btmod()

    $x->btmod($y);              # modulus

Returns the remainer after truncated division (T-division). See L</btdiv()>.

=item bmodinv()

    $x->bmodinv($mod);          # modular multiplicative inverse

Returns the multiplicative inverse of C<$x> modulo C<$mod>. If

    $y = $x -> copy() -> bmodinv($mod)

then C<$y> is the number closest to zero, and with the same sign as C<$mod>,
satisfying

    ($x * $y) % $mod = 1 % $mod

If C<$x> and C<$y> are non-zero, they must be relative primes, i.e.,
C<bgcd($y, $mod)==1>. 'C<NaN>' is returned when no modular multiplicative
inverse exists.

=item bmodpow()

    $num->bmodpow($exp,$mod);           # modular exponentiation
                                        # ($num**$exp % $mod)

Returns the value of C<$num> taken to the power C<$exp> in the modulus
C<$mod> using binary exponentiation.  C<bmodpow> is far superior to
writing

    $num ** $exp % $mod

because it is much faster - it reduces internal variables into
the modulus whenever possible, so it operates on smaller numbers.

C<bmodpow> also supports negative exponents.

    bmodpow($num, -1, $mod)

is exactly equivalent to

    bmodinv($num, $mod)

=item bpow()

    $x->bpow($y);               # power of arguments (x ** y)

C<bpow()> (and the rounding functions) now modifies the first argument and
returns it, unlike the old code which left it alone and only returned the
result. This is to be consistent with C<badd()> etc. The first three modifies
$x, the last one won't:

    print bpow($x,$i),"\n";         # modify $x
    print $x->bpow($i),"\n";        # ditto
    print $x **= $i,"\n";           # the same
    print $x ** $i,"\n";            # leave $x alone

The form C<$x **= $y> is faster than C<$x = $x ** $y;>, though.

=item blog()

    $x->blog($base, $accuracy);         # logarithm of x to the base $base

If C<$base> is not defined, Euler's number (e) is used:

    print $x->blog(undef, 100);         # log(x) to 100 digits

=item bexp()

    $x->bexp($accuracy);                # calculate e ** X

Calculates the expression C<e ** $x> where C<e> is Euler's number.

This method was added in v1.82 of Math::BigInt (April 2007).

See also L</blog()>.

=item bnok()

    $x->bnok($y);               # x over y (binomial coefficient n over k)

Calculates the binomial coefficient n over k, also called the "choose"
function, which is

    ( n )       n!
    |   |  = --------
    ( k )    k!(n-k)!

when n and k are non-negative. This method implements the full Kronenburg
extension (Kronenburg, M.J. "The Binomial Coefficient for Negative Arguments."
18 May 2011. http://arxiv.org/abs/1105.3689/) illustrated by the following
pseudo-code:

    if n >= 0 and k >= 0:
        return binomial(n, k)
    if k >= 0:
        return (-1)^k*binomial(-n+k-1, k)
    if k <= n:
        return (-1)^(n-k)*binomial(-k-1, n-k)
    else
        return 0

The behaviour is identical to the behaviour of the Maple and Mathematica
function for negative integers n, k.

=item buparrow()

=item uparrow()

    $a -> buparrow($n, $b);         # modifies $a
    $x = $a -> uparrow($n, $b);     # does not modify $a

This method implements Knuth's up-arrow notation, where $n is a non-negative
integer representing the number of up-arrows. $n = 0 gives multiplication, $n =
1 gives exponentiation, $n = 2 gives tetration, $n = 3 gives hexation etc. The
following illustrates the relation between the first values of $n.

See L<https://en.wikipedia.org/wiki/Knuth%27s_up-arrow_notation>.

=item backermann()

=item ackermann()

    $m -> backermann($n);           # modifies $a
    $x = $m -> ackermann($n);       # does not modify $a

This method implements the Ackermann function:

             / n + 1              if m = 0
   A(m, n) = | A(m-1, 1)          if m > 0 and n = 0
             \ A(m-1, A(m, n-1))  if m > 0 and n > 0

Its value grows rapidly, even for small inputs. For example, A(4, 2) is an
integer of 19729 decimal digits.

See https://en.wikipedia.org/wiki/Ackermann_function

=item bsin()

    my $x = Math::BigInt->new(1);
    print $x->bsin(100), "\n";

Calculate the sine of $x, modifying $x in place.

In Math::BigInt, unless upgrading is in effect, the result is truncated to an
integer.

This method was added in v1.87 of Math::BigInt (June 2007).

=item bcos()

    my $x = Math::BigInt->new(1);
    print $x->bcos(100), "\n";

Calculate the cosine of $x, modifying $x in place.

In Math::BigInt, unless upgrading is in effect, the result is truncated to an
integer.

This method was added in v1.87 of Math::BigInt (June 2007).

=item batan()

    my $x = Math::BigFloat->new(0.5);
    print $x->batan(100), "\n";

Calculate the arcus tangens of $x, modifying $x in place.

In Math::BigInt, unless upgrading is in effect, the result is truncated to an
integer.

This method was added in v1.87 of Math::BigInt (June 2007).

=item batan2()

    my $x = Math::BigInt->new(1);
    my $y = Math::BigInt->new(1);
    print $y->batan2($x), "\n";

Calculate the arcus tangens of C<$y> divided by C<$x>, modifying $y in place.

In Math::BigInt, unless upgrading is in effect, the result is truncated to an
integer.

This method was added in v1.87 of Math::BigInt (June 2007).

=item bsqrt()

    $x->bsqrt();                # calculate square root

C<bsqrt()> returns the square root truncated to an integer.

If you want a better approximation of the square root, then use:

    $x = Math::BigFloat->new(12);
    Math::BigFloat->precision(0);
    Math::BigFloat->round_mode('even');
    print $x->copy->bsqrt(),"\n";           # 4

    Math::BigFloat->precision(2);
    print $x->bsqrt(),"\n";                 # 3.46
    print $x->bsqrt(3),"\n";                # 3.464

=item broot()

    $x->broot($N);

Calculates the N'th root of C<$x>.

=item bfac()

    $x->bfac();             # factorial of $x

Returns the factorial of C<$x>, i.e., $x*($x-1)*($x-2)*...*2*1, the product of
all positive integers up to and including C<$x>. C<$x> must be > -1. The
factorial of N is commonly written as N!, or N!1, when using the multifactorial
notation.

=item bdfac()

    $x->bdfac();                # double factorial of $x

Returns the double factorial of C<$x>, i.e., $x*($x-2)*($x-4)*... C<$x> must be
> -2. The double factorial of N is commonly written as N!!, or N!2, when using
the multifactorial notation.

=item btfac()

    $x->btfac();            # triple factorial of $x

Returns the triple factorial of C<$x>, i.e., $x*($x-3)*($x-6)*... C<$x> must be
> -3. The triple factorial of N is commonly written as N!!!, or N!3, when using
the multifactorial notation.

=item bmfac()

    $x->bmfac($k);          # $k'th multifactorial of $x

Returns the multi-factorial of C<$x>, i.e., $x*($x-$k)*($x-2*$k)*... C<$x> must
be > -$k. The multi-factorial of N is commonly written as N!K.

=item bfib()

    $F = $n->bfib();            # a single Fibonacci number
    @F = $n->bfib();            # a list of Fibonacci numbers

In scalar context, returns a single Fibonacci number. In list context, returns
a list of Fibonacci numbers. The invocand is the last element in the output.

The Fibonacci sequence is defined by

    F(0) = 0
    F(1) = 1
    F(n) = F(n-1) + F(n-2)

In list context, F(0) and F(n) is the first and last number in the output,
respectively. For example, if $n is 12, then C<< @F = $n->bfib() >> returns the
following values, F(0) to F(12):

    0, 1, 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, 144

The sequence can also be extended to negative index n using the re-arranged
recurrence relation

    F(n-2) = F(n) - F(n-1)

giving the bidirectional sequence

       n  -7  -6  -5  -4  -3  -2  -1   0   1   2   3   4   5   6   7
    F(n)  13  -8   5  -3   2  -1   1   0   1   1   2   3   5   8  13

If $n is -12, the following values, F(0) to F(12), are returned:

    0, 1, -1, 2, -3, 5, -8, 13, -21, 34, -55, 89, -144

=item blucas()

    $F = $n->blucas();          # a single Lucas number
    @F = $n->blucas();          # a list of Lucas numbers

In scalar context, returns a single Lucas number. In list context, returns a
list of Lucas numbers. The invocand is the last element in the output.

The Lucas sequence is defined by

    L(0) = 2
    L(1) = 1
    L(n) = L(n-1) + L(n-2)

In list context, L(0) and L(n) is the first and last number in the output,
respectively. For example, if $n is 12, then C<< @L = $n->blucas() >> returns
the following values, L(0) to L(12):

    2, 1, 3, 4, 7, 11, 18, 29, 47, 76, 123, 199, 322

The sequence can also be extended to negative index n using the re-arranged
recurrence relation

    L(n-2) = L(n) - L(n-1)

giving the bidirectional sequence

       n  -7  -6  -5  -4  -3  -2  -1   0   1   2   3   4   5   6   7
    L(n)  29 -18  11  -7   4  -3   1   2   1   3   4   7  11  18  29

If $n is -12, the following values, L(0) to L(-12), are returned:

    2, 1, -3, 4, -7, 11, -18, 29, -47, 76, -123, 199, -322

=item brsft()

    $x->brsft($n);              # right shift $n places in base 2
    $x->brsft($n, $b);          # right shift $n places in base $b

The latter is equivalent to

    $x -> bdiv($b -> copy() -> bpow($n))

=item blsft()

    $x->blsft($n);              # left shift $n places in base 2
    $x->blsft($n, $b);          # left shift $n places in base $b

The latter is equivalent to

    $x -> bmul($b -> copy() -> bpow($n))

=back

=head2 Bitwise methods

=over

=item band()

    $x->band($y);               # bitwise and

=item bior()

    $x->bior($y);               # bitwise inclusive or

=item bxor()

    $x->bxor($y);               # bitwise exclusive or

=item bnot()

    $x->bnot();                 # bitwise not (two's complement)

Two's complement (bitwise not). This is equivalent to, but faster than,

    $x->binc()->bneg();

=back

=head2 Rounding methods

=over

=item round()

    $x->round($A,$P,$round_mode);

Round $x to accuracy C<$A> or precision C<$P> using the round mode
C<$round_mode>.

=item bround()

    $x->bround($N);               # accuracy: preserve $N digits

Rounds $x to an accuracy of $N digits.

=item bfround()

    $x->bfround($N);

Rounds to a multiple of 10**$N. Examples:

    Input            N          Result

    123456.123456    3          123500
    123456.123456    2          123450
    123456.123456   -2          123456.12
    123456.123456   -3          123456.123

=item bfloor()

    $x->bfloor();

Round $x towards minus infinity, i.e., set $x to the largest integer less than
or equal to $x.

=item bceil()

    $x->bceil();

Round $x towards plus infinity, i.e., set $x to the smallest integer greater
than or equal to $x).

=item bint()

    $x->bint();

Round $x towards zero.

=back

=head2 Other mathematical methods

=over

=item bgcd()

    $x -> bgcd($y);             # GCD of $x and $y
    $x -> bgcd($y, $z, ...);    # GCD of $x, $y, $z, ...

Returns the greatest common divisor (GCD).

=item blcm()

    $x -> blcm($y);             # LCM of $x and $y
    $x -> blcm($y, $z, ...);    # LCM of $x, $y, $z, ...

Returns the least common multiple (LCM).

=back

=head2 Object property methods

=over

=item sign()

    $x->sign();

Return the sign, of $x, meaning either C<+>, C<->, C<-inf>, C<+inf> or NaN.

If you want $x to have a certain sign, use one of the following methods:

    $x->babs();                 # '+'
    $x->babs()->bneg();         # '-'
    $x->bnan();                 # 'NaN'
    $x->binf();                 # '+inf'
    $x->binf('-');              # '-inf'

=item digit()

    $x->digit($n);       # return the nth digit, counting from right

If C<$n> is negative, returns the digit counting from left.

=item digitsum()

    $x->digitsum();

Computes the sum of the base 10 digits and returns it.

=item bdigitsum()

    $x->bdigitsum();

Computes the sum of the base 10 digits and assigns the result to the invocand.

=item length()

    $x->length();
    ($xl, $fl) = $x->length();

Returns the number of digits in the decimal representation of the number. In
list context, returns the length of the integer and fraction part. For
Math::BigInt objects, the length of the fraction part is always 0.

The following probably doesn't do what you expect:

    $c = Math::BigInt->new(123);
    print $c->length(),"\n";                # prints 30

It prints both the number of digits in the number and in the fraction part
since print calls C<length()> in list context. Use something like:

    print scalar $c->length(),"\n";         # prints 3

=item mantissa()

    $x->mantissa();

Return the signed mantissa of $x as a Math::BigInt.

=item exponent()

    $x->exponent();

Return the exponent of $x as a Math::BigInt.

=item parts()

    $x->parts();

Returns the significand (mantissa) and the exponent as integers. In
Math::BigFloat, both are returned as Math::BigInt objects.

=item sparts()

Returns the significand (mantissa) and the exponent as integers. In scalar
context, only the significand is returned. The significand is the integer with
the smallest absolute value. The output of C<sparts()> corresponds to the
output from C<bsstr()>.

In Math::BigInt, this method is identical to C<parts()>.

=item nparts()

Returns the significand (mantissa) and exponent corresponding to normalized
notation. In scalar context, only the significand is returned. For finite
non-zero numbers, the significand's absolute value is greater than or equal to
1 and less than 10. The output of C<nparts()> corresponds to the output from
C<bnstr()>. In Math::BigInt, if the significand can not be represented as an
integer, upgrading is performed or NaN is returned.

=item eparts()

Returns the significand (mantissa) and exponent corresponding to engineering
notation. In scalar context, only the significand is returned. For finite
non-zero numbers, the significand's absolute value is greater than or equal to
1 and less than 1000, and the exponent is a multiple of 3. The output of
C<eparts()> corresponds to the output from C<bestr()>. In Math::BigInt, if the
significand can not be represented as an integer, upgrading is performed or NaN
is returned.

=item dparts()

Returns the integer part and the fraction part. If the fraction part can not be
represented as an integer, upgrading is performed or NaN is returned. The
output of C<dparts()> corresponds to the output from C<bdstr()>.

=item fparts()

Returns the smallest possible numerator and denominator so that the numerator
divided by the denominator gives back the original value. For finite numbers,
both values are integers. Mnemonic: fraction.

=item numerator()

Together with L</denominator()>, returns the smallest integers so that the
numerator divided by the denominator reproduces the original value. With
Math::BigInt, numerator() simply returns a copy of the invocand.

=item denominator()

Together with L</numerator()>, returns the smallest integers so that the
numerator divided by the denominator reproduces the original value. With
Math::BigInt, denominator() always returns either a 1 or a NaN.

=back

=head2 String conversion methods

=over

=item bstr()

Returns a string representing the number using decimal notation. In
Math::BigFloat, the output is zero padded according to the current accuracy or
precision, if any of those are defined.

=item bsstr()

Returns a string representing the number using scientific notation where both
the significand (mantissa) and the exponent are integers. The output
corresponds to the output from C<sparts()>.

      123 is returned as "123e+0"
     1230 is returned as "123e+1"
    12300 is returned as "123e+2"
    12000 is returned as "12e+3"
    10000 is returned as "1e+4"

=item bnstr()

Returns a string representing the number using normalized notation, the most
common variant of scientific notation. For finite non-zero numbers, the
absolute value of the significand is greater than or equal to 1 and less than
10. The output corresponds to the output from C<nparts()>.

      123 is returned as "1.23e+2"
     1230 is returned as "1.23e+3"
    12300 is returned as "1.23e+4"
    12000 is returned as "1.2e+4"
    10000 is returned as "1e+4"

=item bestr()

Returns a string representing the number using engineering notation. For finite
non-zero numbers, the absolute value of the significand is greater than or
equal to 1 and less than 1000, and the exponent is a multiple of 3. The output
corresponds to the output from C<eparts()>.

      123 is returned as "123e+0"
     1230 is returned as "1.23e+3"
    12300 is returned as "12.3e+3"
    12000 is returned as "12e+3"
    10000 is returned as "10e+3"

=item bdstr()

Returns a string representing the number using decimal notation. The output
corresponds to the output from C<dparts()>.

      123 is returned as "123"
     1230 is returned as "1230"
    12300 is returned as "12300"
    12000 is returned as "12000"
    10000 is returned as "10000"

=item to_hex()

    $x->to_hex();

Returns a hexadecimal string representation of the number. See also from_hex().

=item to_bin()

    $x->to_bin();

Returns a binary string representation of the number. See also from_bin().

=item to_oct()

    $x->to_oct();

Returns an octal string representation of the number. See also from_oct().

=item to_bytes()

    $x = Math::BigInt->new("1667327589");
    $s = $x->to_bytes();                    # $s = "cafe"

Returns a byte string representation of the number using big endian byte
order. The invocand must be a non-negative, finite integer. See also from_bytes().

=item to_base()

    $x = Math::BigInt->new("250");
    $x->to_base(2);     # returns "11111010"
    $x->to_base(8);     # returns "372"
    $x->to_base(16);    # returns "fa"

Returns a string representation of the number in the given base. If a collation
sequence is given, the collation sequence determines which characters are used
in the output.

Here are some more examples

    $x = Math::BigInt->new("16")->to_base(3);       # returns "121"
    $x = Math::BigInt->new("44027")->to_base(36);   # returns "XYZ"
    $x = Math::BigInt->new("58314")->to_base(42);   # returns "Why"
    $x = Math::BigInt->new("4")->to_base(2, "-|");  # returns "|--"

See from_base() for information and examples.

=item to_base_num()

Converts the given number to the given base. This method is equivalent to
C<_to_base()>, but returns numbers in an array rather than characters in a
string. In the output, the first element is the most significant. Unlike
C<_to_base()>, all input values may be arbitrarily large.

    $x = Math::BigInt->new(13);
    $x->to_base_num(2);                         # returns [1, 1, 0, 1]

    $x = Math::BigInt->new(65191);
    $x->to_base_num(128);                       # returns [3, 125, 39]

=item as_hex()

    $x->as_hex();

As, C<to_hex()>, but with a "0x" prefix.

=item as_bin()

    $x->as_bin();

As, C<to_bin()>, but with a "0b" prefix.

=item as_oct()

    $x->as_oct();

As, C<to_oct()>, but with a "0" prefix.

=item as_bytes()

This is just an alias for C<to_bytes()>.

=back

=head2 Other conversion methods

=over

=item numify()

    print $x->numify();

Returns a Perl scalar from $x. It is used automatically whenever a scalar is
needed, for instance in array index operations.

=back

=head2 Utility methods

These utility methods are made public

=over

=item dec_str_to_dec_flt_str()

Takes a string representing any valid number using decimal notation and converts
it to a string representing the same number using decimal floating point
notation. The output consists of five parts joined together: the sign of the
significand, the absolute value of the significand as the smallest possible
integer, the letter "e", the sign of the exponent, and the absolute value of the
exponent. If the input is invalid, nothing is returned.

    $str2 = $class -> dec_str_to_dec_flt_str($str1);

Some examples

    Input           Output
    31400.00e-4     +314e-2
    -0.00012300e8   -123e+2
    0               +0e+0

=item hex_str_to_dec_flt_str()

Takes a string representing any valid number using hexadecimal notation and
converts it to a string representing the same number using decimal floating
point notation. The output has the same format as that of
L</dec_str_to_dec_flt_str()>.

    $str2 = $class -> hex_str_to_dec_flt_str($str1);

Some examples

    Input           Output
    0xff            +255e+0

Some examples

=item oct_str_to_dec_flt_str()

Takes a string representing any valid number using octal notation and converts
it to a string representing the same number using decimal floating point
notation. The output has the same format as that of
L</dec_str_to_dec_flt_str()>.

    $str2 = $class -> oct_str_to_dec_flt_str($str1);

=item bin_str_to_dec_flt_str()

Takes a string representing any valid number using binary notation and converts
it to a string representing the same number using decimal floating point
notation. The output has the same format as that of
L</dec_str_to_dec_flt_str()>.

    $str2 = $class -> bin_str_to_dec_flt_str($str1);

=item dec_str_to_dec_str()

Takes a string representing any valid number using decimal notation and converts
it to a string representing the same number using decimal notation. If the
number represents an integer, the output consists of a sign and the absolute
value. If the number represents a non-integer, the output consists of a sign,
the integer part of the number, the decimal point ".", and the fraction part of
the number without any trailing zeros. If the input is invalid, nothing is
returned.

=item hex_str_to_dec_str()

Takes a string representing any valid number using hexadecimal notation and
converts it to a string representing the same number using decimal notation. The
output has the same format as that of L</dec_str_to_dec_str()>.

=item oct_str_to_dec_str()

Takes a string representing any valid number using octal notation and converts
it to a string representing the same number using decimal notation. The
output has the same format as that of L</dec_str_to_dec_str()>.

=item bin_str_to_dec_str()

Takes a string representing any valid number using binary notation and converts
it to a string representing the same number using decimal notation. The output
has the same format as that of L</dec_str_to_dec_str()>.

=back

=head1 ACCURACY and PRECISION

Math::BigInt and Math::BigFloat have full support for accuracy and precision
based rounding, both automatically after every operation, as well as manually.

This section describes the accuracy/precision handling in Math::BigInt and
Math::BigFloat as it used to be and as it is now, complete with an explanation
of all terms and abbreviations.

Not yet implemented things (but with correct description) are marked with '!',
things that need to be answered are marked with '?'.

In the next paragraph follows a short description of terms used here (because
these may differ from terms used by others people or documentation).

During the rest of this document, the shortcuts A (for accuracy), P (for
precision), F (fallback) and R (rounding mode) are be used.

=head2 Precision P

Precision is a fixed number of digits before (positive) or after (negative) the
decimal point. For example, 123.45 has a precision of -2. 0 means an integer
like 123 (or 120). A precision of 2 means at least two digits to the left of
the decimal point are zero, so 123 with P = 1 becomes 120. Note that numbers
with zeros before the decimal point may have different precisions, because 1200
can have P = 0, 1 or 2 (depending on what the initial value was). It could also
have p < 0, when the digits after the decimal point are zero.

The string output (of floating point numbers) is padded with zeros:

    Initial value    P      A       Result          String
    ------------------------------------------------------------
    1234.01         -3              1000            1000
    1234            -2              1200            1200
    1234.5          -1              1230            1230
    1234.001         1              1234            1234.0
    1234.01          0              1234            1234
    1234.01          2              1234.01         1234.01
    1234.01          5              1234.01         1234.01000

For Math::BigInt objects, no padding occurs.

=head2 Accuracy A

Number of significant digits. Leading zeros are not counted. A number may have
an accuracy greater than the non-zero digits when there are zeros in it or
trailing zeros. For example, 123.456 has A of 6, 10203 has 5, 123.0506 has 7,
123.45000 has 8 and 0.000123 has 3.

The string output (of floating point numbers) is padded with zeros:

    Initial value    P      A       Result          String
    ------------------------------------------------------------
    1234.01                 3       1230            1230
    1234.01                 6       1234.01         1234.01
    1234.1                  8       1234.1          1234.1000

For Math::BigInt objects, no padding occurs.

=head2 Fallback F

When both A and P are undefined, this is used as a fallback accuracy when
dividing numbers.

=head2 Rounding mode R

When rounding a number, different 'styles' or 'kinds' of rounding are possible.
(Note that random rounding, as in Math::Round, is not implemented.)

=head3 Directed rounding

These round modes always round in the same direction.

=over

=item 'trunc'

Round towards zero. Remove all digits following the rounding place, i.e.,
replace them with zeros. Thus, 987.65 rounded to tens (P=1) becomes 980, and
rounded to the fourth significant digit becomes 987.6 (A=4). 123.456 rounded to
the second place after the decimal point (P=-2) becomes 123.46. This
corresponds to the IEEE 754 rounding mode 'roundTowardZero'.

=back

=head3 Rounding to nearest

These rounding modes round to the nearest digit. They differ in how they
determine which way to round in the ambiguous case when there is a tie.

=over

=item 'even'

Round towards the nearest even digit, e.g., when rounding to nearest integer,
-5.5 becomes -6, 4.5 becomes 4, but 4.501 becomes 5. This corresponds to the
IEEE 754 rounding mode 'roundTiesToEven'.

=item 'odd'

Round towards the nearest odd digit, e.g., when rounding to nearest integer,
4.5 becomes 5, -5.5 becomes -5, but 5.501 becomes 6. This corresponds to the
IEEE 754 rounding mode 'roundTiesToOdd'.

=item '+inf'

Round towards plus infinity, i.e., always round up. E.g., when rounding to the
nearest integer, 4.5 becomes 5, -5.5 becomes -5, and 4.501 also becomes 5. This
corresponds to the IEEE 754 rounding mode 'roundTiesToPositive'.

=item '-inf'

Round towards minus infinity, i.e., always round down. E.g., when rounding to
the nearest integer, 4.5 becomes 4, -5.5 becomes -6, but 4.501 becomes 5. This
corresponds to the IEEE 754 rounding mode 'roundTiesToNegative'.

=item 'zero'

Round towards zero, i.e., round positive numbers down and negative numbers up.
E.g., when rounding to the nearest integer, 4.5 becomes 4, -5.5 becomes -5, but
4.501 becomes 5. This corresponds to the IEEE 754 rounding mode
'roundTiesToZero'.

=item 'common'

Round away from zero, i.e., round to the number with the largest absolute
value. E.g., when rounding to the nearest integer, -1.5 becomes -2, 1.5 becomes
2 and 1.49 becomes 1. This corresponds to the IEEE 754 rounding mode
'roundTiesToAway'.

=back

The handling of A & P in MBI/MBF (the old core code shipped with Perl versions
<= 5.7.2) is like this:

=over

=item Precision

  * bfround($p) is able to round to $p number of digits after the decimal
    point
  * otherwise P is unused

=item Accuracy (significant digits)

  * bround($a) rounds to $a significant digits
  * only bdiv() and bsqrt() take A as (optional) parameter
    + other operations simply create the same number (bneg etc), or
      more (bmul) of digits
    + rounding/truncating is only done when explicitly calling one
      of bround or bfround, and never for Math::BigInt (not implemented)
  * bsqrt() simply hands its accuracy argument over to bdiv.
  * the documentation and the comment in the code indicate two
    different ways on how bdiv() determines the maximum number
    of digits it should calculate, and the actual code does yet
    another thing
    POD:
      max($Math::BigFloat::div_scale,length(dividend)+length(divisor))
    Comment:
      result has at most max(scale, length(dividend), length(divisor)) digits
    Actual code:
      scale = max(scale, length(dividend)-1,length(divisor)-1);
      scale += length(divisor) - length(dividend);
    So for lx = 3, ly = 9, scale = 10, scale will actually be 16 (10
    So for lx = 3, ly = 9, scale = 10, scale will actually be 16
    (10+9-3). Actually, the 'difference' added to the scale is cal-
    culated from the number of "significant digits" in dividend and
    divisor, which is derived by looking at the length of the man-
    tissa. Which is wrong, since it includes the + sign (oops) and
    actually gets 2 for '+100' and 4 for '+101'. Oops again. Thus
    124/3 with div_scale=1 will get you '41.3' based on the strange
    assumption that 124 has 3 significant digits, while 120/7 will
    get you '17', not '17.1' since 120 is thought to have 2 signif-
    icant digits. The rounding after the division then uses the
    remainder and $y to determine whether it must round up or down.
 ?  I have no idea which is the right way. That's why I used a slightly more
 ?  simple scheme and tweaked the few failing testcases to match it.

=back

This is how it works now:

=over

=item Setting/Accessing

  * You can set the A global via Math::BigInt->accuracy() or
    Math::BigFloat->accuracy() or whatever class you are using.
  * You can also set P globally by using Math::SomeClass->precision()
    likewise.
  * Globals are classwide, and not inherited by subclasses.
  * to undefine A, use Math::SomeClass->accuracy(undef);
  * to undefine P, use Math::SomeClass->precision(undef);
  * Setting Math::SomeClass->accuracy() clears automatically
    Math::SomeClass->precision(), and vice versa.
  * To be valid, A must be > 0, P can have any value.
  * If P is negative, this means round to the P'th place to the right of the
    decimal point; positive values mean to the left of the decimal point.
    P of 0 means round to integer.
  * to find out the current global A, use Math::SomeClass->accuracy()
  * to find out the current global P, use Math::SomeClass->precision()
  * use $x->accuracy() respective $x->precision() for the local
    setting of $x.
  * Please note that $x->accuracy() respective $x->precision()
    return eventually defined global A or P, when $x's A or P is not
    set.

=item Creating numbers

  * When you create a number, you can give the desired A or P via:
    $x = Math::BigInt->new($number,$A,$P);
  * Only one of A or P can be defined, otherwise the result is NaN
  * If no A or P is give ($x = Math::BigInt->new($number) form), then the
    globals (if set) will be used. Thus changing the global defaults later on
    will not change the A or P of previously created numbers (i.e., A and P of
    $x will be what was in effect when $x was created)
  * If given undef for A and P, NO rounding will occur, and the globals will
    NOT be used. This is used by subclasses to create numbers without
    suffering rounding in the parent. Thus a subclass is able to have its own
    globals enforced upon creation of a number by using
    $x = Math::BigInt->new($number,undef,undef):

        use Math::BigInt::SomeSubclass;
        use Math::BigInt;

        Math::BigInt->accuracy(2);
        Math::BigInt::SomeSubclass->accuracy(3);
        $x = Math::BigInt::SomeSubclass->new(1234);

    $x is now 1230, and not 1200. A subclass might choose to implement
    this otherwise, e.g. falling back to the parent's A and P.

=item Usage

  * If A or P are enabled/defined, they are used to round the result of each
    operation according to the rules below
  * Negative P is ignored in Math::BigInt, since Math::BigInt objects never
    have digits after the decimal point
  * Math::BigFloat uses Math::BigInt internally, but setting A or P inside
    Math::BigInt as globals does not tamper with the parts of a Math::BigFloat.
    A flag is used to mark all Math::BigFloat numbers as 'never round'.

=item Precedence

  * It only makes sense that a number has only one of A or P at a time.
    If you set either A or P on one object, or globally, the other one will
    be automatically cleared.
  * If two objects are involved in an operation, and one of them has A in
    effect, and the other P, this results in an error (NaN).
  * A takes precedence over P (Hint: A comes before P).
    If neither of them is defined, nothing is used, i.e. the result will have
    as many digits as it can (with an exception for bdiv/bsqrt) and will not
    be rounded.
  * There is another setting for bdiv() (and thus for bsqrt()). If neither of
    A or P is defined, bdiv() will use a fallback (F) of $div_scale digits.
    If either the dividend's or the divisor's mantissa has more digits than
    the value of F, the higher value will be used instead of F.
    This is to limit the digits (A) of the result (just consider what would
    happen with unlimited A and P in the case of 1/3 :-)
  * bdiv will calculate (at least) 4 more digits than required (determined by
    A, P or F), and, if F is not used, round the result
    (this will still fail in the case of a result like 0.12345000000001 with A
    or P of 5, but this can not be helped - or can it?)
  * Thus you can have the math done by on Math::Big* class in two modi:
    + never round (this is the default):
      This is done by setting A and P to undef. No math operation
      will round the result, with bdiv() and bsqrt() as exceptions to guard
      against overflows. You must explicitly call bround(), bfround() or
      round() (the latter with parameters).
      Note: Once you have rounded a number, the settings will 'stick' on it
      and 'infect' all other numbers engaged in math operations with it, since
      local settings have the highest precedence. So, to get SaferRound[tm],
      use a copy() before rounding like this:

        $x = Math::BigFloat->new(12.34);
        $y = Math::BigFloat->new(98.76);
        $z = $x * $y;                           # 1218.6984
        print $x->copy()->bround(3);            # 12.3 (but A is now 3!)
        $z = $x * $y;                           # still 1218.6984, without
                                                # copy would have been 1210!

    + round after each op:
      After each single operation (except for testing like is_zero()), the
      method round() is called and the result is rounded appropriately. By
      setting proper values for A and P, you can have all-the-same-A or
      all-the-same-P modes. For example, Math::Currency might set A to undef,
      and P to -2, globally.

 ?Maybe an extra option that forbids local A & P settings would be in order,
 ?so that intermediate rounding does not 'poison' further math?

=item Overriding globals

  * you will be able to give A, P and R as an argument to all the calculation
    routines; the second parameter is A, the third one is P, and the fourth is
    R (shift right by one for binary operations like badd). P is used only if
    the first parameter (A) is undefined. These three parameters override the
    globals in the order detailed as follows, i.e. the first defined value
    wins:
    (local: per object, global: global default, parameter: argument to sub)
      + parameter A
      + parameter P
      + local A (if defined on both of the operands: smaller one is taken)
      + local P (if defined on both of the operands: bigger one is taken)
      + global A
      + global P
      + global F
  * bsqrt() will hand its arguments to bdiv(), as it used to, only now for two
    arguments (A and P) instead of one

=item Local settings

  * You can set A or P locally by using $x->accuracy() or
    $x->precision()
    and thus force different A and P for different objects/numbers.
  * Setting A or P this way immediately rounds $x to the new value.
  * $x->accuracy() clears $x->precision(), and vice versa.

=item Rounding

  * the rounding routines will use the respective global or local settings.
    bround() is for accuracy rounding, while bfround() is for precision
  * the two rounding functions take as the second parameter one of the
    following rounding modes (R):
    'even', 'odd', '+inf', '-inf', 'zero', 'trunc', 'common'
  * you can set/get the global R by using Math::SomeClass->round_mode()
    or by setting $Math::SomeClass::round_mode
  * after each operation, $result->round() is called, and the result may
    eventually be rounded (that is, if A or P were set either locally,
    globally or as parameter to the operation)
  * to manually round a number, call $x->round($A,$P,$round_mode);
    this will round the number by using the appropriate rounding function
    and then normalize it.
  * rounding modifies the local settings of the number:

        $x = Math::BigFloat->new(123.456);
        $x->accuracy(5);
        $x->bround(4);

    Here 4 takes precedence over 5, so 123.5 is the result and $x->accuracy()
    will be 4 from now on.

=item Default values

  * R: 'even'
  * F: 40
  * A: undef
  * P: undef

=item Remarks

  * The defaults are set up so that the new code gives the same results as
    the old code (except in a few cases on bdiv):
    + Both A and P are undefined and thus will not be used for rounding
      after each operation.
    + round() is thus a no-op, unless given extra parameters A and P

=back

=head1 Infinity and Not a Number

While Math::BigInt has extensive handling of inf and NaN, certain quirks
remain.

=over

=item oct()/hex()

These perl routines currently (as of Perl v.5.8.6) cannot handle passed inf.

    te@linux:~> perl -wle 'print 2 ** 3333'
    Inf
    te@linux:~> perl -wle 'print 2 ** 3333 == 2 ** 3333'
    1
    te@linux:~> perl -wle 'print oct(2 ** 3333)'
    0
    te@linux:~> perl -wle 'print hex(2 ** 3333)'
    Illegal hexadecimal digit 'I' ignored at -e line 1.
    0

The same problems occur if you pass them Math::BigInt->binf() objects. Since
overloading these routines is not possible, this cannot be fixed from
Math::BigInt.

=back

=head1 INTERNALS

You should neither care about nor depend on the internal representation; it
might change without notice. Use B<ONLY> method calls like C<< $x->sign(); >>
instead relying on the internal representation.

=head2 MATH LIBRARY

The mathematical computations are performed by a backend library. It is not
required to specify which backend library to use, but some backend libraries
are much faster than the default library.

=head3 The default library

The default library is L<Math::BigInt::Calc>, which is implemented in pure Perl
and hence does not require a compiler.

=head3 Specifying a library

The simple case

    use Math::BigInt;

is equivalent to saying

    use Math::BigInt try => 'Calc';

You can use a different backend library with, e.g.,

    use Math::BigInt try => 'GMP';

which attempts to load the L<Math::BigInt::GMP> library, and falls back to the
default library if the specified library can't be loaded.

Multiple libraries can be specified by separating them by a comma, e.g.,

    use Math::BigInt try => 'GMP,Pari';

If you request a specific set of libraries and do not allow fallback to the
default library, specify them using "only",

    use Math::BigInt only => 'GMP,Pari';

If you prefer a specific set of libraries, but want to see a warning if the
fallback library is used, specify them using "lib",

    use Math::BigInt lib => 'GMP,Pari';

The following first tries to find Math::BigInt::Foo, then Math::BigInt::Bar, and
if this also fails, reverts to Math::BigInt::Calc:

    use Math::BigInt try => 'Foo,Math::BigInt::Bar';

=head3 Which library to use?

B<Note>: General purpose packages should not be explicit about the library to
use; let the script author decide which is best.

L<Math::BigInt::GMP>, L<Math::BigInt::Pari>, and L<Math::BigInt::GMPz> are in
cases involving big numbers much faster than L<Math::BigInt::Calc>. However
these libraries are slower when dealing with very small numbers (less than about
20 digits) and when converting very large numbers to decimal (for instance for
printing, rounding, calculating their length in decimal etc.).

So please select carefully what library you want to use.

Different low-level libraries use different formats to store the numbers, so
mixing them won't work. You should not depend on the number having a specific
internal format.

See the respective math library module documentation for further details.

=head3 Loading multiple libraries

The first library that is successfully loaded is the one that will be used. Any
further attempts at loading a different module will be ignored. This is to avoid
the situation where module A requires math library X, and module B requires math
library Y, causing modules A and B to be incompatible. For example,

    use Math::BigInt;                   # loads default "Calc"
    use Math::BigFloat only => "GMP";   # ignores "GMP"

=head2 SIGN

The sign is either '+', '-', 'NaN', '+inf' or '-inf'.

A sign of 'NaN' is used to represent the result when input arguments are not
numbers or as a result of 0/0. '+inf' and '-inf' represent plus respectively
minus infinity. You get '+inf' when dividing a positive number by 0, and '-inf'
when dividing any negative number by 0.

=head1 EXAMPLES

  use Math::BigInt;

  sub bigint { Math::BigInt->new(shift); }

  $x = Math::BigInt->bstr("1234")       # string "1234"
  $x = "$x";                            # same as bstr()
  $x = Math::BigInt->bneg("1234");      # Math::BigInt "-1234"
  $x = Math::BigInt->babs("-12345");    # Math::BigInt "12345"
  $x = Math::BigInt->bnorm("-0.00");    # Math::BigInt "0"
  $x = bigint(1) + bigint(2);           # Math::BigInt "3"
  $x = bigint(1) + "2";                 # ditto ("2" becomes a Math::BigInt)
  $x = bigint(1);                       # Math::BigInt "1"
  $x = $x + 5 / 2;                      # Math::BigInt "3"
  $x = $x ** 3;                         # Math::BigInt "27"
  $x *= 2;                              # Math::BigInt "54"
  $x = Math::BigInt->new(0);            # Math::BigInt "0"
  $x--;                                 # Math::BigInt "-1"
  $x = Math::BigInt->badd(4,5)          # Math::BigInt "9"
  print $x->bsstr();                    # 9e+0

Examples for rounding:

  use Math::BigFloat;
  use Test::More;

  $x = Math::BigFloat->new(123.4567);
  $y = Math::BigFloat->new(123.456789);
  Math::BigFloat->accuracy(4);          # no more A than 4

  is ($x->copy()->bround(),123.4);      # even rounding
  print $x->copy()->bround(),"\n";      # 123.4
  Math::BigFloat->round_mode('odd');    # round to odd
  print $x->copy()->bround(),"\n";      # 123.5
  Math::BigFloat->accuracy(5);          # no more A than 5
  Math::BigFloat->round_mode('odd');    # round to odd
  print $x->copy()->bround(),"\n";      # 123.46
  $y = $x->copy()->bround(4),"\n";      # A = 4: 123.4
  print "$y, ",$y->accuracy(),"\n";     # 123.4, 4

  Math::BigFloat->accuracy(undef);      # A not important now
  Math::BigFloat->precision(2);         # P important
  print $x->copy()->bnorm(),"\n";       # 123.46
  print $x->copy()->bround(),"\n";      # 123.46

Examples for converting:

  my $x = Math::BigInt->new('0b1'.'01' x 123);
  print "bin: ",$x->as_bin()," hex:",$x->as_hex()," dec: ",$x,"\n";

=head1 NUMERIC LITERALS

After C<use Math::BigInt ':constant'> all numeric literals in the given scope
are converted to C<Math::BigInt> objects. This conversion happens at compile
time. Every non-integer is convert to a NaN.

For example,

    perl -MMath::BigInt=:constant -le 'print 2**150'

prints the exact value of C<2**150>. Note that without conversion of constants
to objects the expression C<2**150> is calculated using Perl scalars, which
leads to an inaccurate result.

Please note that strings are not affected, so that

    use Math::BigInt qw/:constant/;

    $x = "1234567890123456789012345678901234567890"
            + "123456789123456789";

does give you what you expect. You need an explicit Math::BigInt->new() around
at least one of the operands. You should also quote large constants to prevent
loss of precision:

    use Math::BigInt;

    $x = Math::BigInt->new("1234567889123456789123456789123456789");

Without the quotes Perl first converts the large number to a floating point
constant at compile time, and then converts the result to a Math::BigInt object
at run time, which results in an inaccurate result.

=head2 Hexadecimal, octal, and binary floating point literals

Perl (and this module) accepts hexadecimal, octal, and binary floating point
literals, but use them with care with Perl versions before v5.32.0, because some
versions of Perl silently give the wrong result. Below are some examples of
different ways to write the number decimal 314.

Hexadecimal floating point literals:

    0x1.3ap+8         0X1.3AP+8
    0x1.3ap8          0X1.3AP8
    0x13a0p-4         0X13A0P-4

Octal floating point literals (with "0" prefix):

    01.164p+8         01.164P+8
    01.164p8          01.164P8
    011640p-4         011640P-4

Octal floating point literals (with "0o" prefix) (requires v5.34.0):

    0o1.164p+8        0O1.164P+8
    0o1.164p8         0O1.164P8
    0o11640p-4        0O11640P-4

Binary floating point literals:

    0b1.0011101p+8    0B1.0011101P+8
    0b1.0011101p8     0B1.0011101P8
    0b10011101000p-2  0B10011101000P-2

=head1 PERFORMANCE

Using the form $x += $y; etc over $x = $x + $y is faster, since a copy of $x
must be made in the second case. For long numbers, the copy can eat up to 20%
of the work (in the case of addition/subtraction, less for
multiplication/division). If $y is very small compared to $x, the form $x += $y
is MUCH faster than $x = $x + $y since making the copy of $x takes more time
then the actual addition.

With a technique called copy-on-write, the cost of copying with overload could
be minimized or even completely avoided. A test implementation of COW did show
performance gains for overloaded math, but introduced a performance loss due to
a constant overhead for all other operations. So Math::BigInt does currently
not COW.

The rewritten version of this module (vs. v0.01) is slower on certain
operations, like C<new()>, C<bstr()> and C<numify()>. The reason are that it
does now more work and handles much more cases. The time spent in these
operations is usually gained in the other math operations so that code on the
average should get (much) faster. If they don't, please contact the author.

Some operations may be slower for small numbers, but are significantly faster
for big numbers. Other operations are now constant (O(1), like C<bneg()>,
C<babs()> etc), instead of O(N) and thus nearly always take much less time.
These optimizations were done on purpose.

If you find the Calc module to slow, try to install any of the replacement
modules and see if they help you.

=head2 Alternative math libraries

You can use an alternative library to drive Math::BigInt. See the section
L</MATH LIBRARY> for more information.

For more benchmark results see L<http://bloodgate.com/perl/benchmarks.html>.

=head1 SUBCLASSING

=head2 Subclassing Math::BigInt

The basic design of Math::BigInt allows simple subclasses with very little
work, as long as a few simple rules are followed:

=over

=item *

The public API must remain consistent, i.e. if a sub-class is overloading
addition, the sub-class must use the same name, in this case badd(). The reason
for this is that Math::BigInt is optimized to call the object methods directly.

=item *

The private object hash keys like C<< $x->{sign} >> may not be changed, but
additional keys can be added, like C<< $x->{_custom} >>.

=item *

Accessor functions are available for all existing object hash keys and should
be used instead of directly accessing the internal hash keys. The reason for
this is that Math::BigInt itself has a pluggable interface which permits it to
support different storage methods.

=back

More complex sub-classes may have to replicate more of the logic internal of
Math::BigInt if they need to change more basic behaviors. A subclass that needs
to merely change the output only needs to overload C<bstr()>.

All other object methods and overloaded functions can be directly inherited
from the parent class.

At the very minimum, any subclass needs to provide its own C<new()> and can
store additional hash keys in the object. There are also some package globals
that must be defined, e.g.:

    # Globals
    $accuracy = undef;
    $precision = -2;       # round to 2 decimal places
    $round_mode = 'even';
    $div_scale = 40;

Additionally, you might want to provide the following two globals to allow
auto-upgrading and auto-downgrading to work correctly:

    $upgrade = undef;
    $downgrade = undef;

This allows Math::BigInt to correctly retrieve package globals from the
subclass, like C<$SubClass::precision>. See t/Math/BigInt/Subclass.pm or
t/Math/BigFloat/SubClass.pm completely functional subclass examples.

Don't forget to

    use overload;

in your subclass to automatically inherit the overloading from the parent. If
you like, you can change part of the overloading, look at Math::String for an
example.

=head1 UPGRADING

When used like this:

    use Math::BigInt upgrade => 'Foo::Bar';

certain operations 'upgrade' their calculation and thus the result to the class
Foo::Bar. Usually this is used in conjunction with Math::BigFloat:

    use Math::BigInt upgrade => 'Math::BigFloat';

As a shortcut, you can use the module L<bignum>:

    use bignum;

Also good for one-liners:

    perl -Mbignum -le 'print 2 ** 255'

This makes it possible to mix arguments of different classes (as in 2.5 + 2) as
well es preserve accuracy (as in sqrt(3)).

Beware: This feature is not fully implemented yet.

=head2 Auto-upgrade

The following methods upgrade themselves unconditionally; that is if upgrade is
in effect, they always hands up their work:

    div bsqrt blog bexp bpi bsin bcos batan batan2

All other methods upgrade themselves only when one (or all) of their arguments
are of the class mentioned in $upgrade.

=head1 EXPORTS

C<Math::BigInt> exports nothing by default, but can export the following
methods:

    bgcd
    blcm

=head1 CAVEATS

Some things might not work as you expect them. Below is documented what is
known to be troublesome:

=over

=item Comparing numbers as strings

Both C<bstr()> and C<bsstr()> as well as stringify via overload drop the
leading '+'. This is to be consistent with Perl and to make C<cmp> (especially
with overloading) to work as you expect. It also solves problems with
C<Test.pm> and L<Test::More>, which stringify arguments before comparing them.

Mark Biggar said, when asked about to drop the '+' altogether, or make only
C<cmp> work:

    I agree (with the first alternative), don't add the '+' on positive
    numbers.  It's not as important anymore with the new internal form
    for numbers.  It made doing things like abs and neg easier, but
    those have to be done differently now anyway.

So, the following examples now works as expected:

    use Test::More tests => 1;
    use Math::BigInt;

    my $x = Math::BigInt -> new(3*3);
    my $y = Math::BigInt -> new(3*3);

    is($x,3*3, 'multiplication');
    print "$x eq 9" if $x eq $y;
    print "$x eq 9" if $x eq '9';
    print "$x eq 9" if $x eq 3*3;

Additionally, the following still works:

    print "$x == 9" if $x == $y;
    print "$x == 9" if $x == 9;
    print "$x == 9" if $x == 3*3;

There is now a C<bsstr()> method to get the string in scientific notation aka
C<1e+2> instead of C<100>. Be advised that overloaded 'eq' always uses bstr()
for comparison, but Perl represents some numbers as 100 and others as 1e+308.
If in doubt, convert both arguments to Math::BigInt before comparing them as
strings:

    use Test::More tests => 3;
    use Math::BigInt;

    $x = Math::BigInt->new('1e56'); $y = 1e56;
    is($x,$y);                     # fails
    is($x->bsstr(),$y);            # okay
    $y = Math::BigInt->new($y);
    is($x,$y);                     # okay

Alternatively, simply use C<< <=> >> for comparisons, this always gets it
right. There is not yet a way to get a number automatically represented as a
string that matches exactly the way Perl represents it.

See also the section about L<Infinity and Not a Number> for problems in
comparing NaNs.

=item int()

C<int()> returns (at least for Perl v5.7.1 and up) another Math::BigInt, not a
Perl scalar:

    $x = Math::BigInt->new(123);
    $y = int($x);                           # 123 as a Math::BigInt
    $x = Math::BigFloat->new(123.45);
    $y = int($x);                           # 123 as a Math::BigFloat

If you want a real Perl scalar, use C<numify()>:

    $y = $x->numify();                      # 123 as a scalar

This is seldom necessary, though, because this is done automatically, like when
you access an array:

    $z = $array[$x];                        # does work automatically

=item Modifying and =

Beware of:

    $x = Math::BigFloat->new(5);
    $y = $x;

This makes a second reference to the B<same> object and stores it in $y. Thus
anything that modifies $x (except overloaded operators) also modifies $y, and
vice versa. Or in other words, C<=> is only safe if you modify your
Math::BigInt objects only via overloaded math. As soon as you use a method call
it breaks:

    $x->bmul(2);
    print "$x, $y\n";       # prints '10, 10'

If you want a true copy of $x, use:

    $y = $x->copy();

You can also chain the calls like this, this first makes a copy and then
multiply it by 2:

    $y = $x->copy()->bmul(2);

See also the documentation for overload.pm regarding C<=>.

=item Overloading -$x

The following:

    $x = -$x;

is slower than

    $x->bneg();

since overload calls C<sub($x,0,1);> instead of C<neg($x)>. The first variant
needs to preserve $x since it does not know that it later gets overwritten.
This makes a copy of $x and takes O(N), but $x->bneg() is O(1).

=item Mixing different object types

With overloaded operators, it is the first (dominating) operand that determines
which method is called. Here are some examples showing what actually gets
called in various cases.

    use Math::BigInt;
    use Math::BigFloat;

    $mbf  = Math::BigFloat->new(5);
    $mbi2 = Math::BigInt->new(5);
    $mbi  = Math::BigInt->new(2);
                                    # what actually gets called:
    $float = $mbf + $mbi;           # $mbf->badd($mbi)
    $float = $mbf / $mbi;           # $mbf->bdiv($mbi)
    $integer = $mbi + $mbf;         # $mbi->badd($mbf)
    $integer = $mbi2 / $mbi;        # $mbi2->bdiv($mbi)
    $integer = $mbi2 / $mbf;        # $mbi2->bdiv($mbf)

For instance, Math::BigInt->bdiv() always returns a Math::BigInt, regardless of
whether the second operant is a Math::BigFloat. To get a Math::BigFloat you
either need to call the operation manually, make sure each operand already is a
Math::BigFloat, or cast to that type via Math::BigFloat->new():

    $float = Math::BigFloat->new($mbi2) / $mbi;     # = 2.5

Beware of casting the entire expression, as this would cast the
result, at which point it is too late:

    $float = Math::BigFloat->new($mbi2 / $mbi);     # = 2

Beware also of the order of more complicated expressions like:

    $integer = ($mbi2 + $mbi) / $mbf;               # int / float => int
    $integer = $mbi2 / Math::BigFloat->new($mbi);   # ditto

If in doubt, break the expression into simpler terms, or cast all operands
to the desired resulting type.

Scalar values are a bit different, since:

    $float = 2 + $mbf;
    $float = $mbf + 2;

both result in the proper type due to the way the overloaded math works.

This section also applies to other overloaded math packages, like Math::String.

One solution to you problem might be autoupgrading|upgrading. See the
pragmas L<bignum>, L<bigint> and L<bigrat> for an easy way to do this.

=back

=head1 BUGS

Please report any bugs or feature requests to
C<bug-math-bigint at rt.cpan.org>, or through the web interface at
L<https://rt.cpan.org/Ticket/Create.html?Queue=Math-BigInt> (requires login).
We will be notified, and then you'll automatically be notified of progress on
your bug as I make changes.

=head1 SUPPORT

You can find documentation for this module with the perldoc command.

    perldoc Math::BigInt

You can also look for information at:

=over 4

=item * GitHub

L<https://github.com/pjacklam/p5-Math-BigInt>

=item * RT: CPAN's request tracker

L<https://rt.cpan.org/Dist/Display.html?Name=Math-BigInt>

=item * MetaCPAN

L<https://metacpan.org/release/Math-BigInt>

=item * CPAN Testers Matrix

L<http://matrix.cpantesters.org/?dist=Math-BigInt>

=item * CPAN Ratings

L<https://cpanratings.perl.org/dist/Math-BigInt>

=item * The Bignum mailing list

=over 4

=item * Post to mailing list

C<bignum at lists.scsys.co.uk>

=item * View mailing list

L<http://lists.scsys.co.uk/pipermail/bignum/>

=item * Subscribe/Unsubscribe

L<http://lists.scsys.co.uk/cgi-bin/mailman/listinfo/bignum>

=back

=back

=head1 LICENSE

This program is free software; you may redistribute it and/or modify it under
the same terms as Perl itself.

=head1 SEE ALSO

L<Math::BigFloat> and L<Math::BigRat> as well as the backends
L<Math::BigInt::FastCalc>, L<Math::BigInt::GMP>, and L<Math::BigInt::Pari>.

The pragmas L<bignum>, L<bigint> and L<bigrat> also might be of interest
because they solve the autoupgrading/downgrading issue, at least partly.

=head1 AUTHORS

=over 4

=item *

Mark Biggar, overloaded interface by Ilya Zakharevich, 1996-2001.

=item *

Completely rewritten by Tels L<http://bloodgate.com>, 2001-2008.

=item *

Florian Ragwitz E<lt>flora@cpan.orgE<gt>, 2010.

=item *

Peter John Acklam E<lt>pjacklam@gmail.comE<gt>, 2011-.

=back

Many people contributed in one or more ways to the final beast, see the file
CREDITS for an (incomplete) list. If you miss your name, please drop me a
mail. Thank you!

=cut
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             a| aX a| a@@	#fl2@@ @ 	@@ @ @ @ @@ @ @$X a| a%X a| a@@	ذVN@R]OP@AC<K@@!M@@AKL@@.N@@ABVSCDMO@  ,  !9j d d:j d d@@@c@ c@ Aa$ntl1+@@ @ Π!@@ @ @ @ @@ @ b@ @ZZ a a[Z a a@@	$ntl2B@@ @ )8@@ @ *@ @ (@@ @ 'b@ @q[ b br[ b b@@*	&cstrs'Tb@ vQ@@ @ b@ wW@@ @ b@ x^@@ @ b@ y@ @ zb@ [@@ @ hb@ V@] b| b] b| b@@P	$snap@@ @ b@ @e c ce c c@@\	W@8U@@AB@@AC@@AlS@@WT@@AB@@V@@ABCDEV@  ,  !oj d dj d d@@@b@ c@ >AtV@  ,  !{@@BAw V@  ,  !~h dO dsh dO d@_@ _@ LB䂰+&@@A@rz^W@@ABDEW@  ,  !䑰h dO d]h dO dq@@@b@ c@ `AW@  ,  !䝰@@dAW@  ,  !|䠰g d d)g d dK@Y@ kEW@  ,  !8@nA!W@  ,   䪰f c cf c d
@@@ @ 
wBVZ@  ,   䴰f c c f c d@AA@@@  ,   买f c c@@A_VA  ,   俰
e c ce c c@AA侰gbC1.DE(U  ,   ʰc cQ c`k d d@@A
U@  ,   ϰb c cBb c cP@OBU@  ,   l@AU@  ,   dذ#b c c#$b c c<@;@@a@ b@ CU@  ,   H/b c c @@A#UA  ,   D5^ b b6` b c@ABg_C
,ERT  ,   4?_ b b@_ b b@A\A@@@  ,   D] b| b/@@A
TA  ,   J[ b b!K\ bX bx@AȐFh!@ @@AB CspDEj4S  ,  W[ b bEX[ b bS@AA@
	@@  ,  \Z a a]Z a b@ېF{(43DyCR@  ,  eZ a afZ a b@AA@@@  ,  `jY a akn e6 eA@@AN@  ,  $oP `N `VpP `N `x@@A"u1b@@ @ @|N _ _}N _ ` @@5	#tl1@o@@ @ @@ @ @N _ `N _ `@@C	"u2z@@ @ @N _ `N _ `@@M	#u1' @@ @ b@ j@O ` `*O ` `-@@Y	T@XPpN@A@BC@@A3K@@@AB?O"u1L@@$Q@@A/M@@BCDQ@  ,  tO ` `0O ` `J@դS@@ @ @@ @ b@ i7@ @ mb@ MD`僰@,@A@BC(''&@@ABCDO@  ,  h咰O ` `#n@@ZAlO@  ,  P喰V a@ aJV a@ ao@A_A@@@  ,  H困V a@ ah@AcA@@@  ,  	@eAb"u1@@ @ @Q `y `Q `y `@@	#tl1@@ @ @@ @ @Q `y `Q `y `@@	"u2@@ @ @Q `y `
Q `y `@@	#tl2Р@@ @ @@ @ @Q `y `Q `y `@@	ΰKD@HZSF@ACD@C@K\T@@AB4P{@R@@ACF@CQ|@.Oy@ABDEKT@  ,  7S ` `8T ` a&@f_@ 4GSj^BXCDW!V@  ,  CT ` `@A_A@@@  ,  lGR ` `HW ap a{@@A`
R@  ,  LM _ _MM _ _@@A;@@ @ }@UL _ _VL _ _@@	"u2E@@ @ @_L _ _`L _ _@@	@oM@A@BC@@A@N@@ABCDPN@  ,  'rJ _` _jsJ _` _@AA@%$@@  ,  ,wJ _` _@AA@)(@@  ,  0	@A$row1W@@ @ g@F ^ ^F ^ ^@@<	$row2a@@ @ l@F ^ _ F ^ _@@F	A@TM@AK@@L@@ABCD|M@  ,  hSH _ _%H _ _J@GE(S@@ABCDP@  ,   _G _	 _K _ _@@(A2]
L@  ,  pdE ^ ^E ^ ^@@-A("f1ޠ@@ @ A@D ^ ^D ^ ^@@s	"f2ު@@ @ R@D ^ ^D ^ ^@@}	x@@AN"f1K@@M"f2L@@ABCDN@  ,  X揰C ^Z ^bC ^Z ^@AXA@@@  ,  P攰C ^Z ^@A\A@@@  ,  	@^AY@@ @ @@ ] ]@ ] ]@@	@@ @ &@@ ] ]@ ] ]@@	楰#-*@%@ABCDL@  ,  汰A ] ^
A ] ^!@[@@b@ b@ c@ A%L@  ,  濰
A ] ^@@@c@ c@ d@ A2 L@  ,  ̰A ] ]A ] ^@k@@b@ b@ c@ A@.L@  ,  ڰ%A ] ]@6@@c@ c@ d@ AM;L@  ,  5@@AP>L@  ,  ,5! X X"6! X X'@@A"p1{@@ @ {@@  W WA  W W@@	"p2|@@ @ @J  W WK  W W@@	@jMhK@A}@B|@|@A"L@@N@@ABC}zDt>N@  ,  $`  W Xa  W X@x@@a@ xb@ pB2N@  ,  !@A4N@  ,  #n W Wo W W@@A#tl1ynb@@ @ a@@ @ `@} W W~ W W@@6	#tl2z|p@@ @ h@@ @ g@ W W W W@@D	?@@A!K@@L@@A@BCDwL@  ,  lN WD W\ WD Ww@AA@LK@@  ,  dS WD W] WD Wo@_@ 6B "l1sk@@ @ B@ Vl Vz Vl V|@@k	"t1tߢ@@ @ C@ Vl V~ Vl V@@u	"u1u߬@@ @ D@ Vl V Vl V@@	"l2v@@ @ M@ Vl V Vl V@@	"t2w@@ @ N@ Vl V Vl V@@	"u2x@@ @ O@ Vl V Vl V@@	%cstrs_@ @ V W V W@@	砰
Q@B@@AMM@@1P@@ABCFL@,O@A@CK@@'N@@ABCDU@  ,  0缰 WD WL WD W@@AeQA  ,  ,ð V W	 V W@@AEl°@8CD+P  ,  Ͱ V W V W4@AA@@@  ,  Ұ V W V W,@`B|W@  ,  ٰ$ V V@@AP@  ,  ݰ( V V) V V@@@e@ e@ f@ A"P@  ,  6 V V7 V V@զ@@e@ e@ f@ A0P@  ,  pD Vl VE Vl V@մ@@b@ Yb@ jc@ fʐB >P@  ,  dR V V@@ABP@  ,  V U UW U U@h@@`@ a@ ڐC@@ABCzDH@  ,  df U Ug U U@AA@@@  ,  P @@@AH@  ,   #n U Uo U U@^@ ^@ B&@@@ABCZK@  ,  1| U U@AA@.-@@  ,  5 U Uq e e@@A3
G@  ,  : Ub Uu Ub Uz@@A8G@  ,  ? Ub Ud
@@A <GA  ,  E UL UW UL U^@AAD@BCwF  ,  O UL UN@@ALFA  ,  U U6 UA U6 UH@AAT.CE
  ,  ^ U6 U8)@@&@[E@  ,  tbT ` aT ` a%@@@Ƞ"t1@@ @ :@T ` `T ` `@@q	"t2@@ @ E@T ` `T ` a @@{	v@B@@AA@@B@E@@A<C@@ B@@A9D@@BC@B@  ,  `芰_ b b_ b b@AA@@@  ,  P菰_ b b_ b b@XB"n2Ñ@@b@ b@ m@_ b b_ b b@@	"t2fb@ n@_ b b_ b b@@	襰@C@@AA@@B@@AB@D@@AgC@@ȑB@@AB@E@  ,  ,0@A&CA  ,  A#@蹰@@A@A  ,  ðf c cf c d@@+AР"t1øb@ @f c cf c c@@	"t2b@ @!f c c"f c c@@	հ@NA@@AC@@B@@AB@C@@:B@@AB@CA  ,  6AO@@@A
@A  ,  :6 [ [;6 [ [@@WAw%cstrsqa@ @G, Z ZH, Z Z@@ 	!vj@@a@ a@ @S, Z ZT, Z Z @@	"t1a@Z, Z Z"[, Z Z$@@	"t2f@a, Z Z&b, Z Z(@@	"cot@@ @ c@ @n- Z- Z@o- Z- ZB@@'	"cn@@ @ c@ @{- Z- ZD|- Z- ZF@@4	/@SF@@AG@@$H@@AGC@@BCA@@8E@@A2D@@GB@@ABD@E@@4B@@ABD@@ F@@*C@@ABC@H@  ,  S5 [ [5 [ [@AA@QP@@  ,  X5 [ [5 [ [@_@ ÐBmZ+L@  ,  a5 [ [5 [ [@@Ar_0H@  ,  f4 [w [w@@Avc4H@  ,  dj2 [ [<2 [ [W@AA@hg@@  ,  \o2 [ [=2 [ [O@_@ ڐBqBL@  ,  $x2 [ [,2 [ [c@@AvGH@  ,  }0 Z Z1 Z [@AA@{z@@  ,  邰1 Z [
@AA@~@@  ,   醰0 Z Z0 Z Z@_@ BYK@  ,  鏰0 Z Z	@AA@@@  ,  铰0 Z Z0 Z Z@AA@@@  ,  阰1 Z Z1 Z Z@_@ +BkJ@  ,  顰1 Z Z	@AA@@@  ,  饰1 Z Z1 Z Z@A
A@@@  ,  -@AvH@  ,  鬰/ Z{ Z4@@AzH@  ,  鰰. Zb Zp@@A~H@  ,  |鴰- Z- ZJ - Z- Z^@@ @ c@ #A麰@@AC{@E@  ,  dİ- Z- Z;@@+AEA  ,  P2A/@IŰ@@AB@C  ,  <а Q/ Q5 Q/ QC@A3Ctype.build_subtypeA@@@  ,  ,@A鱠#env@+O 8 9,O 8 9@@	'visited_@ ע@3O 8 94O 8 9@@	%loops_@ ש@;O 8 9<O 8 9@@	$posi_@ װ@CO 8 9 DO 8 9$@@	%level_@ ׷@KO 8 9%LO 8 9*@@	 !t_@ ׾@TO 8 9+UO 8 9,@@
	!!t	@@ @ `@ @`P 9/ 95aP 9/ 96@@	"@>H@@ADF@@B&B@@8D@@AC1C@@G%A@@GE@@ABD@C@@B@@ABU@@D@@ACO@@rL@@<J@@ABV@@X@@N@@ABCDY@@ET@@AW@@BnG@@E@@A F@@B%I@@S@@ACDR@@EH@@A[M@@ѨK@@ABP@@Q@@ACEF@@@@AH@  ,  (_ PQ PW PQ Pc@cb@ @ ל_@ ر_@ BgSH@  ,  n@AiUH@  ,  p P Q P Q@AA@nm@@  ,  u@A"t1@@ @ O@ Pd Pn Pd Pp@@	n"tl@@ @ Q@@ @ P@ Pd Pr Pd Pt@@	o#t1'Wa@ @ Py P Py P@@	p!cXa@ 
@ Py P Py P@@	qꜰ@\=K@AL@@@ABC@@A6J@@ M@@AB/I@@@ACDXM@  ,  군  P P P P@AA@@@  ,  꺰 P P P P@_@ NAL N@  ,  ð P P	@AA@@@  ,  @AR&M@  ,  ɰ P PY@@AV*M@  ,  Ͱ Py P Py P@B;@ @ a@ ,FaӰ@@/@AB,+CDJ@  ,  h߰* Py Po@@Aj	J@  ,  L. L L/ L L@AA@@@  ,  D3 L L4 L L@ a@ A!#row@@ @ @H H HI H H@@	Q#row?]@@ @ a@ @T H H#U H H&@@
	R&level'@a@ m@\ H H] H H@@	S'visitedA1Ia@ {@@ @ }a@ y@j H Hk H H@@#	T&fieldsB? @@ @ a@ ᮠ@@ @ @ @ @@ @ a@ @ I
 I I
 I@@<	U&fieldsCf @@ @ 5a@  n@@ @ 4@ @ [a@ %Oa@ &@ @ 'a@ @@ @ a@ @ IG IQ IG IW@@^	V!cKY@@ @ Ia@ :@ K K K K@@j	^#rowLȑ@@ @ ^a@ W@ K K K K@@v	_q@\@O@@AB\@BN]M@@AC_@wK@@Aa@B`@PJI@@Ae@xLd@ABCDc3Q@  ,  8됰 L L@AA@@@  ,  ,@AP@  ,  (떰 K K Lc L@AA@@@  ,  뛰 K K K L
@㰠!B@@b@ e @@b@ f@b@ d@@b@ cb@ xݐB묰;3@.@A+BCD[T@  ,  븰 K L K L@AA@@@  ,  뽰 K L	 K L"@@@b@ c@ BS@  ,  ɰ Lc L Lc L@@AO@  ,  ΰ Lc L Lc L@@A O@  ,  Ӱ K K@@A$OA  ,  ٰ$ K K% K K@A	AذeB`C-DN  ,  / K K@@A	NA  ,  5 IZ Ib6 K K@AB@t@ABrC?DM
  ,  A Ik IuB Kz K@A9Ctype.build_subtype.(fun)A@@@  ,  TG IG IM@@+AMA  ,  PM I
 IN I
 IC@A2BCUDL  ,  <W I
 I)@@;A	L@  ,  8[ H H\ H I@A@A@
@@  ,  ,` H H@H@@a@ a@ a@ a@ OA/q BDK@  ,  (@UA4#K@  ,  *u H Hv H H@@ZA9(
K@  ,   /z H HL@@^A=,KA  ,  5 H H H H@AeAD4 DJ
  ,  > H H[@@mAK;J@  ,  B H9 Hs H9 H@ArA@@?@@  ,  G@tARBJ@  ,  I H9 H] H9 Hm@Ϧ@@b@ Qb@ `c@ [A`PJ@  ,  W H9 HB H9 HU@@@a@ 2a@ Fb@ ABn^*J@  ,  e H9 H?@@Arb.JA  ,  k H H) H H5@AAyjVM@@AMJBDHI  ,  v H H@@As	I@  ,  pz O O O O@AA@xw@@  ,  \@A!s>@@ @ 0@ N\ Ng N\ Nh@@	e"t1@@ @ 2@ N\ Nm N\ No@@	f"t2@@ @ 3@ N\ Nq N\ Ns@@	g#t1'Qa@ @ N N N N@@	h"c1Ra@ @ N N N N@@	i#t2'Sa@ =@ N N N N@@	j"c2Ta@ >@ N N
 N N@@	k!cU@@ @ qa@ a@ O O% O O&@@	l̰@5O9L@R@@AB2M@@$P@@AC@BD@_K@@A@BVJ@@EN@@API@@9Q@@A@BCDER@  ,  T; O= OY< O= O@A A@@@  ,  L@ O= OZA O= O@
_@ (A}+S@  ,  @I O= O`	@A-A@@@  ,  @/A1R@  ,  O O= OC@@3A5RA  ,  
U O O)V O O9@A:B	@=@A54B2C1EQ
  ,  a O O!@@EA
Q@  ,  e N Nf N O@kd@ @ Aa@ ]QF @Q@AL@@AB
	CIFEC@@ABCDN@  ,  0{ N N@@_A-
N@  ,  4 N N N N@@ @ a@ 8kF:&_@^@ABZCDK@  ,  PF N N@@uAC	K@  ,  ,J NB NM NB N[@AzA@HG@@  ,  O@|A~"t1@@ @ !@ L L L L@@^	`&level'Mfa@ c@ M7 MA M7 MG@@g	a'visitedN胠a@ q@@ @ sa@ o@ M` Mj M` Mq@@v	b#t1'Owa@ @ M M M M@@~	c!cPxa@ @ M M M M@@	d큰@A1Lp@AM@@p@ABo@5J@@Ap@BCo@o@ABI@@#N@@A3Kq@BCDp@N@  ,  흰 N N N NA@AA@@@  ,   N N N N=@a@ ՐAZ#O@  ,  
 N N$	@AA@@@  ,  
 N N3 N N;@AA@@@  ,  
@Ae.N@  ,  
 N Nl@@Ai2N@  ,  
 M M M M@JC@ @ a@ Ft8C54@1@ABDoK@  ,  
̰ M M@@A}	K@  ,  
а Mt M| Mt M@A A@@@  ,  
xհ  Mt M@r@@a@ ua@ a@ a@ AްRQ@@ABDJ@  ,  
h@AJ@  ,  
\6 Mt M7 Mt M@@AJ@  ,  
L; M` Mf@@AJA  ,  
DA M7 MJB M7 M\@A&ADI
  ,  
4J M7 M=@@.AI@  ,  
,N L M#O L M1@A3A@ @@  ,  
@5AI@  ,  

U L M
V L M@@@a@ 4a@ Xb@ SBAI@  ,  c L Ld L M	@@@a@ 5a@ Ib@ DPB*I@  ,  &q L L@@UA#.I@  ,  *u G Gv G G@AZA@('@@  ,  /@\A]!pS@@ @ @ D D D D@@=	F"tlOw@@ @ 
@@ @ @ D D D D@@K	G'_abbrev|p@@ @ @@ @ @ D D D D%@@Y	H'visited7ua@ @@ @ a@ @ D D D D@@g	Ib@M@A&abbrevJ@@O@ O@@ABCQ@Q@CL!pI@@ABV@V@A@M"tlK@@*NZ@ABCDY)O@  ,   G G G G@AA@@@  ,  x@A_$decl8@@ @ a@ @ D D D E@@	J#tl'9Ƞa@ _@ 
@ @ a@ ߾@@ @ a@ ߸@ E E E E@@	K!c>@@ @ a@ @ GO G[ GO G\@@	PTS@U@@A4S@@@ABCQJI@.T@@AF@BCDEmU@  ,  pʰ Gn G Gn G@AA@@@  ,  hϰ Gn G Gn G@a@ BKV@  ,  Tذ# Gn G	@_@ @@a@ a@ a@ BZ*V@  ,  D2 Gn G3 Gn G@AA@@@  ,  ,"@Aa1U@  ,   9 Gn Gvh@@Ae5UA  ,  ? GO G_@ GO Gj@A$Al@<@A@BC:ET
  ,   K GO GWz@@/Av
TA  ,  Q E ER G" GC@A6C}CDS  ,  [ E E\ F G!@AA@
@@  ,  ` E E@@DA
S@  ,  d E Ee E E@@IAS@  ,  i E^ Emj E^ E@{@@e@ ߂e@ ߕf@ ߐVB% S@  ,  p,w E ELx E E]@@@d@ dd@ we@ rdB3.S@  ,  L: E E4 E EH@@@c@ ;c@ Rd@ KrBA<S@  ,  $H E E$@@wAE@SA  ,  N D E D E@A~B#M@7@AB6C3D,R
  ,  
Z D D G H@@A.XN@  ,  
_ D D D D@AA@]\@@  ,  
d D D
@@A6aD@@@ABD?M@  ,  
l D D D D@AA@ji@@  ,  
q@AAlM@  ,  
s D D D D@@@`@ a@ BMxM@  ,  
 D D%@@AQ|M@  ,  
 C C C D @AA@@@  ,  
x@A@@ @ @m = =m = =@@	1秠@@ @ @@ @ @m = =m = =@@	27~@@ @ @@ @  @m = =m = =@@	3"t'%@@ @ a@ @p = =p = =@@	4&level'&a@ 4@
q = =q = =@@	5#t''5b@ ބ@ Cw C Cw C@@	D!c6b@ ޅ@ Cw C Cw C@@	Eΰ@
O@Ap@P@@A@PN@@ABC@)M@@A@n@ABD@@A:L@@(Q@@ABmCEQ@  ,  
p8 C C9 C C@AA@@@  ,  
`@AjQ@  ,  
T? C Cq@@#An#Q@  ,  
@C Cw CD Cw C@;4@ @ ވb@ ޤ/Fy@*BC'D@@#@ABCEN@  ,  

X Cw C@@<A
N@  ,  	\ CB CO] CB C^@@@b@ ub@ yGA@R@ABBCDR@  ,  	%@RA 
R@  ,  	'r ? ?s ? @@@@d@ ܴd@ ܸ]A'cl_abbr'@@ @ ۨb@ ۏ@t >7 >Et >7 >L@@A	6$body(z@@ @ ۩b@ ې@t >7 >Nt >7 >R@@M	7"ty) @@ @ b@ ۱@u >s >u >s >@@Y	8"ty*B@@ @ 4b@ *@z ?- ?;z ?- ?=@@e	9`@ X#SP@A@2T@@A?U@@U@ABCTDQm@ W.V@@AQ@BCEP X@  ,  	}V@ALxX@  ,  	T C) C3 C) CA@AA@}|@@  ,  	D@A\#ty1+@@ @ ܦb@ ;@{ ?K ?Y{ ?K ?\@@	:#tl1,,@@ @ ܨ@@ @ ܧb@ <@{ ?K ?^{ ?K ?a@@	;#t''0@@ @ =b@ +@ AC AQ AC AT@@	?%loops1Ѡ@@ @ Mb@ I@	 Ad Ar
 Ad Aw@@	@$ty1'2b@ Y@ A A A A@@	A!c3b@ Z@ A A A A@@	B"nm4i@@ @ b@ u@@ @ @@ @ b@ @ @ b@ @@ @ b@ ݧ@: BR B`; BR Bb@@	CfFe[GZ@e\[Y@A@B@@f@@ABC)Wd@>h@@A@"p'.^@@ABCD@@A/@pc@@AB@)a_#tl1/]@@A@B2b`#ty1-Z@@mg@@A@BCDEh@  ,  	01| B C} B C&@@@a@ bb@ Ib@ ZiBLK:J<@%@i@@ABCD'>E$4b@3@
j@@ABC5DF#j@  ,  	P@}A_^Mj@  ,  T B B B C	@!ChgVfl@  ,  ] B B B B@@@a@ 4b@ Bvudth@  ,  k B B@AA@hg@@  ,  o B B B B@AA@ml@@  ,  t@@Arh@  ,  y Be B Be B@AA@wv@@  ,  ~ Be B@AA@{z@@  ,  |	@Af}@yBCDeuE^.g@  ,  p Be B Be B@@A	g@  ,  h Be B Be B@@@c@ ݸc@ d@ ʐBg@  ,  @ BR B\#@@A"g@  ,  < B2 B< B2 BP@@@a@ ݦb@ ݤސB-%0g@  ,   B2 BC@@@b@ ݣc@ ݞA:2&=g@  ,   ðC@@A?7+Bg@  ,  Ȱ A A A B.@@ @ ]b@ yFLF:а@@AojCSD]@@ACDEd@  ,  ߰* A B+ A B	@AA@@@  ,  / A B0 A B*@_@ l_@ u_@ v_@ ݎAicWh@  ,  ? A Au@@#Aoi]#d@  ,  E Ad AzF Ad A@A*A@@@  ,  J Ad A@A.A@@@  ,  xN Ad An@@2A}xl2)CD1EcA  ,  pZ AC AW[ AC A`@A?B"!z=DEb
  ,  \f A A%g A AA@x@@a@ *b@ QB43"b@  ,  <)@@WA98'b@  ,  8.y @ A
z @ A@@@c@ c@  dAGF5%b@  ,  ,<@iAKJ9)b@  ,  $@ @ @ @ A@@@b@ c@ vBYXG7b@  ,  N @ @ @ A @@@@c@ @@c@ @c@ AjiXHc@  ,   _ @ @@@Apo^Nb@  ,  e~ ? ?~ ? ?@@A:A@@ @ O@} ? ?} ? ?@@s	<a	@@ @ l@} ? ?} ? ?@@{	=Y
@@ @ n@@ @ m@} ? ?} ? ?@@	>e@l@A@BdCDEb2^@  ,  } ? ?} ? ?@@@c@ ܡd@ ܙŐB1^@  ,  @A3^@  ,  H{ ?K ?U@@An@7@A94CD/EyIWA  ,  Dz ?- ?@z ?- ?G@AؐAz
1@7@A@BCEVV
  ,  8z ?- ?75@@A
V@  ,   y > ?y > ?)@lb@ "B!YSBQ@@7V@@ABCDEmV@  ,  @AV@  ,  ̰w > >x > >@~H̰2ExY@  ,  հ u >s >}V@@	AU@  ,  tٰ$t >7 >U%t >7 >o@@ @ ۓb@ ۧ	BZR@  ,  X1t >7 >Ag@@	A^R@  ,  P5s = >!6s = >3@G@@c@ yc@ ۈd@ ۃ	"AlR@  ,  0Cs = >@@	'ApR@  ,  Gr = =H D D
@@	,Au!CDMA  ,  Qq = =Rq = =@A	6A@*BCDL  ,  \q = =@@	@A	LA  ,  bp = =cp = =@A	GABDK  ,  !lp = =
@@@b@ b@ 1c@ ,	XB'K@  ,  .yp = =2@@	]A+K@  ,  2}o =` =k~o =` =@֏@@d@ d@ 	e@ 	jB9#K@  ,  @n =  =Nn =  =_@@@c@ c@ d@ 	xBG1K@  ,  hNn =  =6n =  =J@@@b@ گb@ c@ ڿ	BU?K@  ,  H\n =  =)*@@	AYCK@  ,   `l < <l < =@A	A@^]@@  ,  e@	A	%tlist
@@ @ @@ @ @d ; ;d ; ;@@w	-'visited"a@ @@ @ a@ @f < <f < <@@	.&tlist'#㯠_@ ّ_@ `@ @ a@ @@ @ a@ @g <% </g <% <5@@	/!c$@@ @ a@ @j < <j < <@@	0@	@AL@@	@AB		C	@	@AGI@@.K@@A=J	@BCD		ZL@  ,  k < <k < <@A	A@@@  ,   k < <k < <@a@ D	A^M@  ,  Űk < <	@A	A@@@  ,  ɰk < <k < <@_@ M@@a@ La@ _
Bp/M@  ,  װ"k < <#k < <@A
A@@@  ,  %@
	Aw6L@  ,  ް)k < <~@@

A{:LA  ,  /j < <0j < <@A
A		=D		K
  ,  8j < <@@
AKA  ,  >h <8 <@?h <8 <{@A
#B		LK@H@ABD		J  ,  Ih <8 <IJh <8 <u@@&_@ _@ &yx@b@ @b@ 
9EK@  ,  XZg <% <+@@
>AJ@  ,  T^f < <_f < <!@A
CA@@@  ,  Dcf < <@@
GA
	on@	@ABD		I@  ,  < ke ; ;le ; ;@A
PA@@@  ,  ,%@
RA I@  ,  $'re ; ;se ; ;@@@`@ ٻa@ ٶ
]B,I@  ,  3~e ; ;@@
bA0I@  ,   7c ; ;c ; ;@A
gA@54@@  ,  <@
iA
o!l
O@@ @ @\ :/ ::\ :/ :;@@O	$"t1@@ @ @\ :/ :=\ :/ :?@@Y	%"t2@@ @ @\ :/ :A\ :/ :C@@c	&'visiteda@ @@ @ a@ @^ : :^ : :@@q	'#t1'r_@ @_ : :_ : :@@y	("c1s_@ @_ : :_ : :@@	)#t2'_@ *@` : :` : ; @@	*"c2 _@ +@` : ;` : ;@@	+!c!Ì@@ @ _a@ O@a ;9 ;Ca ;9 ;D@@	,@X P[M
@S@@AB2N@@$Q@@AC
@kK@@A

BD
@
@AeJ@@EO@@AB^I@@9R@@AXL
@BCE

aS@  ,  	b ;[ ;w
b ;[ ;@A
A@@@  ,  ðb ;[ ;xb ;[ ;@a@ م
A-T@  ,  ̰b ;[ ;~	@A
A@@@  ,  @
A3S@  ,  Ұb ;[ ;a@@A7SA  ,  ذ#a ;9 ;G$a ;9 ;W@ABװ@?@A76B
4C
1D

R
  ,  /a ;9 ;?@@A
R@  ,  x3` : ;4` : ;5@mf@ @ .a@ JF@R@N@AB
KC
HC@@@ACD

O@  ,  4G` : :@@+AO@  ,    K_ : :L_ : :@@ @ a@ 7F

aB

C
@
@_@AB\CD

L@  ,  __ : :@@CAL@  ,  c^ : :d^ : :@AHA@@@  ,  h^ : :@@LA
l@
@ACD

K@  ,  %p] :K :mq] :K :{@AUA@#"@@  ,  *@WA%K@  ,  ,w] :K :Tx] :K :g@@@`@ a@ bB1K@  ,  8] :K :Q@@gA5K@  ,  x<[ : : [ : :.@AlA@:9@@  ,  hA@nAk<(H@  ,  XCY 9 9Y 9 :@AsA@A@@@  ,  HH@uArC/,@I@@AB.-C+*D$
I@  ,  QW 9 9W 9 9@AA@ON@@  ,  V@A"t'n_@ ~@U 9 9U 9 9@@`	#[G>@>@AM@@<@ABD;M@  ,   hV 9 9@@Ae
MA  ,   nU 9 9U 9 9@ABmYL  ,   uT 9x 92@@Ar^H@  ,   yS 9e 9k=@@AvbH@  ,   } P P P P,@AA@{z@@  ,   @A}iH@  ,    O O P- P6@@AnH@  ,    O O O O@AA@@@  ,   @A!vVe@@ @ a@ @ O O O O@@	my@y@AI@@w@ABDvFIA  ,    O O O O@AՐBH  ,   t O O#@@AH@  ,   h O O,@@AH@  ,   $Q 9C 9E@@A@@ABC_GA  ,    	P 9/ 99
P 9/ 9?@AA@BCjF  ,   ȰP 9/ 91@@@F@  ,   ̰ F G
 F G @A	A@@@  ,   Ѱ F G F G@c@ k	ݐBN!v:w@@a@ a@ @. E E/ E E@@	L!t;a@ @6 E E7 E E@@	M"co<@@ @ c@ @B E EC E E@@	N"cn=@@ @ c@ @N E EO E E@@	O@%C@@AD@@!E@@AB*A@@8B@@AC@RC@@A;D@@BG@@0E@@B@@AB+F@@H@@ACD@F@  ,   #W@
*ALE@  ,   %p F Fq F F@@
/AQ#!E@  ,   *u F F^@@
3AU'%E@  ,   H.y FU Fjz FU F@@
8AZ,*E@  ,   @3~ F+ FF F+ FT@A
=A@10@@  ,   08@
?Aa31E@  ,   $: F+ F;@@
CAe75E@  ,   > F F r@@
GAi;9E@  ,   B E E E F@YN@ @ c@ 
SAtH@?>B<@B@  ,   Q E E@@
Z@zNB@  ,   U Kz K Kz K@a@ 	
bBm!lD@ Ik I{ Ik I|@@f	W!fEa@ @ Ik I} Ik I~@@o	X$origF'
@ @ @ Ik Iz Ik I@@z	Yu@4,D@@AB@@B#C@@A@@AC@B@@AC@@F@@ABG@@D@@AE@@}H@@ABC@D@  ,   ?@
A8D@  ,    J5 JE J5 JT@A
A@@@  ,   @
A?@U-E$@A"@B! C@E@  ,    I I I J!@A
A@@@  ,    I J@A
A@@@  ,    I I I J@A
A@@@  ,   h I J I J@A
A@@@  ,   X@
A[E@  ,   H I I#@@
A_ E@  ,   @ K_ Kp	 K_ Ky@A
A@@@  ,   8°
 K_ Kv@A
A@@@  ,   $	@
An!tG@@ @ @ JU Jo JU Jp@@	Z"t'Hd@ k@# Ju J$ Ju J@@	[!cId@ l@+ Ju J, Ju J@@	\!fJ,@@ @ d@ @7 J J8 J J@@	]@+GX@AH@@J{@ABz@z@A4F@@,I@@ABC|@J@  ,    M K8 KMN K8 K^@AA@ @@  ,   R K8 KU@AA@@@  ,   	@AD@@ABC@I@  ,   \ J K] J K7@AA@@@  ,   a J K!b J K%@A A@@@  ,   f J K.g J K6@A%A@@@  ,    @'AYI@  ,   "m J Je@@+A]I@  ,   &q Ju Jr Ju J@XQ@ @ od@ 7Fh,@@8@ABC@F@  ,   d7 Ju Jz@@@Ap4F@  ,   ,; Ik I Ik I@,(@@ @ IA>@@AB@C@  ,   H Ik I@@QAECA  ,   NXAU@\I@@A@A  ,   S; 6 6; 6 6@@4Ctype.filter_visitedA'R@!lA@@A@@@@@AAC  ,   b= 7	 7= 7	 7'@@A6!l@@ @ @= 7	 7= 7	 7@@q	l@*B@@AC@B@C  ,   {< 6 7< 6 7@@(AO%4c@ ս@@ @ ռ@< 6 6< 6 7@@	
@CC@A7@B@4C2  ,   \: 6 61@A?@e>A7  ,   8;  ;  @`@@`@ )`@ /2Ctype.moregen_cltyBo%trace@ 
f 
{ 
f 
@@=*type_pairs^@ 7@ 
f 
  
f 
@@>#env
:^@ >@ 
f 
 
f 
@@?$cty1^@ E@ 
f 
 
f 
@@@$cty2^@ L@ 
f 
 
f 
@@A%error498@@ @ @@ @ @%:  &:  @@dٰ@#B@@AA@@B-C@@H@@AZcF@@YdG@@ABFE@@AD@@ACD@aC@@A(B@@ZG@@ABH@@F@@AC-I@@E@@D@@ABD@\@@@AH@  ,   ,P;  Q;  @AgA@@@  ,   $
U;  V;  @AlA@@@  ,    w@nAl
1H@  ,   \:  ]:  @@sAq6H@  ,   a8 r xb8 r @@@`@ }`@ ~B|A?@@@A65BC3#I@  ,   &@A!I@  ,   (s 7 ?t 7 i@Z^@ Q^@ E$cty2E@@ @ t@  .  2@@;C6\
J\CN>J@  ,   \A@A<J@  ,   C! ` h! ` @E"l1,@@ @ @ j { j }@@XD#ty1@@ @ @ j  j @@bE%cty1'v@@ @ @ j  j @@lF"l2J@@ @ @ j  j @@vG#ty2@@ @ @ j  j @@H%cty2'@@ @ @ j  j @@I@@.J@@AB@M@@AC@GL@@+O@@AB@BK@@A%N@@@ABCDO@  ,   [@AVO@  ,     
  R@h@@b@ -b@ 3Bc%traceڠ@@ @ @@ @ @     @@J/@/eP@@A,@+@/fQ@@ABCR/DER@  ,   Ȱ    Q@A*A@@@  ,   Ͱ    P@A/A@@@  ,   Ұ  9  O@'&@@b@ Hb@ t@@b@ sb@ c@B8)S@  ,   D@CA:+R@  ,   \1  2  @<^@ ^@ ^@ ^@ ^@ ^@ UEmS@  ,   D  @@ZAqO@  ,   H j I j @`@@_@ `@ eB}O@  ,   	@hAO@  ,   PV/ 
 W6 Q h@9nBw%sign1(@@ @ @l"  m"  @@%K%sign22@@ @ @v"  w"  @@/L#ty1h@@ @ `@ @#  #  @@;M#ty2t@@ @ `@ @$  $  @@GN'fields1
@@ @ 
@@ @ @@ @ @ @ 	@@ @ `@ @% < I% < P@@bO&_rest1K@@ @ 
`@ @% < R% < X@@nP'fields24-@@ @ **@@ @ +@@ @ ,@ @ )@@ @ (`@ @& o |& o @@Q&_rest2 r@@ @ -`@ @& o & o @@R%pairs!РV@@ @ e`@ @U@@ @ f`@ A@@ @ g`@ Ba@@ @ m`@ C@@ @ n`@ D@ @ \@@ @ [`@ 4@	'  
'  @@S&_miss1"-(#@ @ ^@@ @ ]`@ 5@'  '  @@T&_miss2#?.)@ @ `@@ @ _`@ 6@-'  .'  @@U@átRäxPç|N@@A@@AB@O@@AQ@@eS@@ABCJ@@K@@A@L@@AM@@@ABCDS@  ,   8P0  %Q5  P@A8Ctype.moregen_clty.(fun)A@@@  ,   V(  W.  @h@@_@ Q`@ sB/S@  ,   b)  c-  @AA@@@  ,   @@|A
7S@  ,   j'  k'  @dS@ @ 9`@ ZB&@B@AN=BL@;@;@ABC87DA1Q@  ,   4'  )@@A#1Q@  ,   8& o & o @Р@ @ `@ 'A,>@V@AeTBc@T@APNB\LCDYIO@  ,   lL% < \% < n@@ @ `@ A@Ryw@Bv@b`Bn^CDk[M@  ,   `^% < DS@@AI[	MA  ,   \d$  $  8@AƐAPc}@m@A}@BCD|lL
  ,   Pp$  "@`@@a@ a@ b@ ِAcvL@  ,   @}$  
r@@AgzLA  ,   <#  #  @AAn0/CDK  ,   0#  
@}@@a@ a@ b@ AK@  ,    #  @@AK@  ,    
 
 
 @x^@ ^@ E$cty1@@ @ e@ 
 
 
 
@@B@J@ACJ@  ,   @AJ@  ,   l 
 
"@@@E@  ,   T	+ s 
-  @@@c@ c@ B#lab$@@`@ `@ @!)  ")  @@V#_k1%@@`@ H`@ @-)  .)  @@W"t1&`@ @6)  7)  @@X#_k2'@@`@ J`@ @B)  C)  "@@Y"t2(`@ @K)  $L)  &@@Z%trace)30@@ @ @@ @ @Y* + jZ* + o@@[
@nE@@AKD@@*A@@AB7C@@%B@@AoF@@ G@@ABC@˒C@@ZB@@ABrG@@>D@@A^E@@F@@ABC@G@  ,   H2}+ s ~-  @A-A@0/@@  ,   @7,  -  @A2A@54@@  ,   $<-  -  @CB@@c@ c@ )@@c@ (c@ CBG:H@  ,   N@FAI<G@  ,   P* + ;* + \@dLEP@A@A?@B=@;@AC6@H@  ,   \* + 7@@VAY	DA  ,   tbKAZ@R]@J@A@@A  ,   hg3  5  O@/@@b@ b@ hBi#lab+@@ @ w@0  *0  -@@\$_mut,@@_@ k_@ @0  /0  3@@]"_v-@@_@ l_@ @0  50  7@@^"ty.֋_@ @0  90  ;@@_%_mut'/@@ @ a@ @1 @ P1 @ U@@`#_v'0@@ @ a@ @1 @ W1 @ Z@@a#ty'1@@ @ a@ @1 @ \1 @ _@@b%trace2@@ @ @@ @ @2  2  @@cѰ@ŐmD@@AMgF@@gB@@ABQ3A@@QhG@@ H@@ABNC@@/E@@ACD@ZC@@A!B@@:G@@ABD@@&E@@AH@@IF@@ABC@H@  ,   \F3  G5  N@AA@@@  ,   T K4  L5  M@AA@@@  ,   4P5  6Q5  L@32@@b@ b@ B@@b@ Ab@ 1B?I@  ,   @AAH@  ,   d2  e2  @cE@H@AC@BB@;:BC8@I@  ,   %p2  @@A"	E@  ,   )t1 @ cu1 @ @u@ @ a@ ,B0@Y@AX@Q@ABN@C@  ,   x;1 @ K@@5A8CA  ,   hA<A9@1<c@BX@B  ,   TF : D : F@@3Ctype.equal_privateA#envG@    @@V 'params1K[@ w@    @@_!#ty1N[@ ~@    @@g"'params2M[@ @    @@p##ty2Q[@ @    @@x$s@.E@@A(D@@B@@AB"C@@A@@q`F@@ABC@,C@@AB@@F@@ABD@@xE@@AC@Ύ@@@AF@  ,   (    @@NAO#err@@ @ @ G U G h@@%$ty1'@@ @ @@    @@&@4@F@@AB5@5@"bG@@AB7@H@@A8@BCD4*H@  ,     		  	@@@^@ l^@ n^@ m~A/°@O@A@M_H@@ABQO@N@ACDJ@H@  ,   @A:H@  ,   ԰ l x  l @@@ @ +BDװ/aDXNK@  ,   + l @BLK@  ,   1 l r*@@APG@  ,   5  6  4@@@ @ Dzt%CndI@  ,   A  B  "@#@@]@ ]@ ]@ BM@  ,   hP  Q  !@AA@@@  ,   T
U  # @6@@]@ ]@ ]@ ̐B$L@  ,   <c  .d  3@AA@@@  ,   h  a@@@-E@  ,   !l  m  0@A6Ctype.eqtype_row.(fun)A@ @@  ,   'r  s 1 :@@0Ctype.eqtype_rowA&rename@ - < - B@@=*type_pairs[@ @ - C - M@@F%subst[@ @ - N - S@@O#env[@ @ - T - W@@W$row1][@ %@ - X - \@@_$row2\[@ ,@ - ] - a@@h$row1pN@@ @ ]@ ~@ 6 < 6 @@@t$row2pZ@@ @ ]@ @ 6 U 6 Y@@"r1ROT@ FT@ @ @ @@ @ ]@ @ m s m u@@"r2e@ @ @@ @ ]@ @ m w m y@@%pairs$#$@ @ @@ @ ]@ @ m { m @@@qUJtVG@@ArC@@BK@@EM@@A3L@@F@@ABCaHtB@@ZIqA@@AD@@E@@ABD@B@@AC@@B<H@@8L@@ACO@@J@@AG@@%I@@ABDP@@ME@@dD@@ABF@@N@@AK@@M@@ABCE@ѻ @@AP @@B+ @@| @@A@@@BCM@  ,   H o sI o @Ѵ[@ KؐFMM@  ,   h@A OM@  ,   \R O XS O i@d@@^@ ^@ _@ A]M@  ,   H` O Q@@AaM@  ,   <d  e  @@Af^]"r2N_^BC\YDQ3N@  ,   4&q  r  G@@@\@ ]@ S]@ UBK T@ T@ )@ @ Fa@ L@@ @ K@    @@D?(N@  ,   $F  ( @AA@CB@@  ,   J  1  F@A#A@HG@@  ,   O)@%AJ3N@  ,    Q    @l!^@  @ @ (@@ @ '5B5[M@  ,   b  ;@@:A9_M@  ,   f ] i ] k@@?A>d@"r1N@ABCDN@  ,   t m  m @@@\@ ]@ ]@ UBVNT@ ET@ @ @ a@ @@ @ @ m s m @@)N@  ,    m  @AlA@@@  ,    m  m @AqA@@@  ,   )@sA4N@  ,    3 = 3 W@!^@ s @ @ @@ @ BM@  ,    + -@@AM@  ,     !   #@@AM@  ,       @@@^@ ^@ B
M@  ,   tŰ  @AA@@@  ,   lɰ    @AA@@@  ,   \@AM@  ,   Hа    @^@ B!M@  ,   8ٰ$  	@AA@@@  ,   0ݰ(  )  @AA@@@  ,    @A,M@  ,   / O m0 $ )@@A1M@  ,    4 O Q@@A5M@  ,    8  9 H M@L@@\@ )]@ ']@ ΐBCM@  ,   F  G  G@AA@@@  ,    K  L  F@AA@@@  ,   P  >Q  D@@ARM@  ,   
U  3V  8@@AWM@  ,   "@A
YM@  ,   \  @@A]M@  ,   ` m a m @y@ @ ]@ B@g@Ae@_@AB^[CS5I@  ,   t(s m o@@ A%	IA  ,   p.y 6 \z 6 i@AA-l@g@AfeBCcEH  ,   \9 6 C 6 P@A9vCmOG@  ,   HB 6 8@@A?G@  ,   F    ,@@A$row2o@@ @ W@    @@TO@WH@A6B@I@ABCnI@  ,   a    @N@@ @ ?>B9d@GB8C{F@  ,   n  
@]@ M^@ IKAFq
F@  ,   x  Q@@P@JuF@  ,   p|    /@D@@_@ ^_@ daB_!lQ\@ @    @@"f1O\@ @    @@"f2W\@ @    @@#err@@ @ P@@ @ O@    @@@G@@A'/E@@'C@@AB B@@4D@@A/A@@.0F@@ABC@B@@AzH@@BӐD@@FC@@ACE@@G@@F@@ABD@G@  ,   dӰ    .@AA@@@  ,   \ذ#  $  '@AA@@@  ,   Tݰ(  
@AA@@@  ,   He@A[0G@  ,   .  /  @@@^@ z^@ yȐAf@d'2Jd*1I@@A=@B<;9@BC4@J@  ,    @ArJ@  ,   F ] G ] @^@ cݐA{@ɼ;K@A"c1L@@T@ABSCJ@L@  ,     @A  

L@  ,     \    ]    @@A5l@@ @ n@e    f    @@  "c25v@@ @ @o    p    @@  (  #@>M)@A&@N@@Ay@BCx<Do@N@  ,     4        @@A#  2N@  ,     9    @@@^@ y^@ _@  BĠ"c15@@ @ @        @@  U"t1@@ @ @        @@  _#tl1@@ @ @@ @ @        @@  m "c25@@ @ @        @@  w"t2@@ @ @       @@  #tl2@@ @ @@ @ @      @@    @ICO@ALP@.S@@A@BC@BIN@@*R@@ACM@@#Q@@ABCD@S@  ,         @AA@    @@  ,      t  t @@@^@ _@ Bp  &S@  ,      t  t @@ۨr[@ [@ R@`@ E|  2T@  ,   L  ð $ 6  -@@A  7S@  ,   D  Ȱ    #@_@ MC  @S@  ,   4  Ѱ    @@@[@ @_@ o@_@ nD  MU@  ,     @A  OS@  ,     + a q, a @o@@^@ ÐA  YT@  ,     5 a 6 a @`@ *̐A  bS@  ,     > * 7? * _@ [@ ՐF  kS@  ,   x  	8@@A  nS@  ,   h  J  K  &@@A  sS@  ,    O  >P  \@!^@ MA @3K!@AY@BXCO@K@  ,    @A 	K@  ,    a . Yb . [@@A @5L@Ag@Bf*C]@L@  ,    "m  n  @?^@ 7A $L@  ,    +	@A &L@  ,    -x ~ y ~ @J^@ !A /@4M,@A@B~@"t1L@@ABC}@M@  ,    B@A =M@  ,     D  L  Y  L  @a^@ &F@@ @ K@    2    4@@ U"t2@@ @ W@    E    G@@ _ Z+@&@N@@ABCD@N@  ,    g#@CA bN@  ,   P i \ { \ }@@HA gJ@  ,   ( n      @6[@@ @ 5QA q@@A@BC@I@  ,    |      @6i@@ @ (_A @@AC@H@  ,      
@@gA DA  ,    nAk@d @@A@A  ,        @@s@S"t1܈^@ @    @@  @A@@A@YF@@AoB@@uC@@ABfE@@7G@@sD@@ABC@A@  ,        @@1Ctype.eqtype_kindA w"k1[@ @	 O _
 O a@@ "k2[@ @ O b O d@@ "k1@@ @ \@ @ g m g o@@ "k2 @@ @ \@ @*  +  @@  ް@C/B@@AD*A@@B@8E@@AF@@BUK@@QO@@AC R@@M@@AJ@@>L@@ABDS@@fH@@}G@@ABI@@)Q@@AN@@P@@ABCE@ @@Ai @@BD@@@Օ @@A,C@@BCD@  ,    a  
b  +@@dAc 6D@  ,   0 f  @@hAg :DA  ,   , !l  m  @AoAn  B<@B;C
  ,    *u  @@wAu 'CA  ,    0{ g r| g @A~A| /@O@AL@BK-B  ,    : g i$@@@ 7B@  ,    > @ H  ?@A9Ctype.eqtype_fields.(fun)A@ = <@@  ,    D 0 6 @ M@@3Ctype.eqtype_fieldsA &rename[@ @}  }  @@ ^Π*type_pairs[@ >@}  }  @@ gϠ%subst[@ E@}  }  @@ pР#env[@ L@}  }  @@ xѠ#ty1[@ S@}  }  @@ Ҡ#ty2[@ Z@}  }  @@ Ӡ'fields1PI@@ @ F@@ @ @@ @ @ @ ~@@ @ }\@ b@~   ~   @@ Ԡ%rest1@@ @ \@ c@~   ~   @@ ՠ'fields2wp@@ @ m@@ @ @@ @ @ @ @@ @ \@ @   / 6   / =@@ ֠%rest2@@ @ \@ @   / ?    / D@@ נ(same_row@@ @ \@ @  +    ,  @@ ؠ%pairs@@ @ ]@ @@ @ ]@ 1@@ @ ]@ @@ @ ]@ =@@ @ ]@ @ @ @@ @ ]@ @  X     Y  @@ ڠ%miss1?-(#@ @ @@ @ ]@ @  j    k  @@ #۠%miss2^?.)@ @ @@ @ ]@ @  |    }  @@ 5 0@ON(J,G@@AC@@I@@ABL@@;Q@@A*P@@kR@@ABCF@@H@@AK@@M@@AD@@BCB@@A@@ E@@ABDE@  H@@A@I@@BN@@R@@ACrU@@mP@@AAM@@O@@ABDbV@@K@@J@@ABfL@@ݛT@@AQ@@US@@ABCE@F @@A@@@BֶC@@ @@A֞F@@BCR@  ,            !@ADA@  @@  ,             @AIA@  @@  ,   x     
@@MAM!nL@@ @ r@        @@  @ZSm@AbaB_^\@T@@A]@BCD\[EM/T@  ,   D         @AiA@  @@  ,   <         @AnA@  @@  ,   0    
@@rAr!nq@@ @ 0@      @@  @S@AB@T@@A@BCDErTT@  ,    Ұ  ; =  ; k@[@ J[@ v[@ F R@  ,    ߰
@@A R@  ,     -   .  7@ؠ@ @ ]@ B @@A@@@ABCExN@  ,     A  @@A 
N@  ,   `  E   F  @@A#ty25@@ @ j@ O   P  @@  @ O@AC@PBDEP@  ,     ` x  a x @@@ @ XՐB @@A/CEM@  ,    # n x z@@A  M@  ,    ' r  ' s  )@@A %
M@  ,    , w  @@A )M@  ,    0 {   |  
@yx@@_@ _@ @`@ +B 7@@ABCDL@  ,    C      @AA@ A @@@  ,    H      @@@^@ ^@ 	_@ B OL@  ,   p V   @AA@ S R@@  ,   P Z   @@A W L@  ,   < ^  / H  / Z@@ @ \@ !A d@+@A)@(@AB @@A@BCDI@  ,   0 s  / 1/@@.A' pI@  ,    w ~    ~   +@@ @ f\@ |:A2 }@A@A7@/@AB.-C)F@  ,     ~   E@@D@; 	F@  ,          >@U@@`@ `@ UBU!n&stringO@@]@ ]@ >@  @ S  @ T@@ ߠ"k1]@ ?@  @ V  @ X@@ "t1ߤ]@ @@  @ Z  @ \@@ "k2]@ A@  @ ^ 
 @ `@@ "t2ߵ]@ B@  @ b  @ d@@ %trace  @@ @ }@@ @ |@ #   $  @@  װ@RG@@A8E@@B(C@@JF@@ACXA@@8D@@A(B@@[H@@$I@@ABCD@ <B@@AH@@ؿC@@AB.D@@E@@AG@@F@@ABC@I@  ,     M   N  =@AA@   @@  ,     R  
 S  3@ ^ Y@@`@ ޠ S@@`@ `@ @	`@ `@ ܐC BJ@  ,     @A DI@  ,    " m   n  @P[@ F #@I@AHGBECA@BC;@J@  ,   < / z i t { i @TB /F@  ,   , 6@@A 2FA  ,    ;A@ 6@V@AK@A  ,    @ {   {  @@Y@ g@u[@ @\@ %@\@ $1Ctype.eqtype_listD &rename@ x   x  @@ ZȠ*type_pairs[@ @ x   x  '@@ cɠ%subst[@ @ x  ( x  -@@ lʠ#env[@ @ x  . x  1@@ tˠ#tl1[@ @ x  2 x  5@@ }̠#tl2[@ @ x  6 x  9@@  @C@@A9F@@+D@@ABB@@A@@9E@@ABC@ K@@AuL@@BQ@@U@@AC٧X@@S@@AvP@@R@@ABDٗY@@ 
N@@ $M@@ABO@@W@@AGT@@V@@ABCE@{ @@AC@@BF@@<@@@AI@@BCH@  ,     {   	{  @@uAs :F@  ,    ° 
z i m z i @!@@[@ \@ \@ A HF@  ,    @A JF@  ,    Ұ y < A y < P@a@@\@ A TG@  ,   x ܰ 'y < T (y < c@^@ A ]F@  ,   d  0y < >(@@@ aF@  ,   L  4v   5v  @ı@@]@ %]@ +,Ctype.eqtypeB &renameaٿ@ K)   L)  @@ *type_pairsbٿ[@ O@ T)   U)  @@ 
%substcٻ[@ V@ ])   ^)  @@ #envd[@ ]@ e)   f)  @@ "t1e٭[@ d@ m)   n)  @@ &"t2fٵ[@ k@ u)   v)  @@ ."t1g@@ @ \@ @ +   +  @@ :"t2h#@@ @ \@ @ ,   ,  @@ F%trace  @@ @ @@ @ @ v   v  @@ T O@CC@@I@@AB`F@@RD@@AC2GDB@@+HAA@@AJ@@&K@@AiE@@BCD@ N@@AOO@@BT@@X@@ACځ[@@|V@@APS@@U@@ABDq\@@ Q@@ P@@ABuR@@Z@@A!W@@dY@@ABCE@U@@@AF@@BI@@C@@A٭L@@BCK@  ,   <  v   v  @AA@  @@  ,   4  v   v  @  @@]@ p @@]@ -]@ m@	]@ o]@ UB _L@  ,    @A aK@  ,     t ~  t ~ @~[@ [@ [@ x[@ w[@ [@ (ՐAנ#t1'm@@ @ 0]@ $@ =  $  =  '@@ #t2'n@@ @ A]@ 5@ +> F R ,> F U@@ #t1'o@@ @ Q]@ F@ 7@   8@  @@ #t2'p@@ @ _]@ G@ C@   D@  @@  @k7Uk:Tk=	Nk@M@@A@~S@@ABC@.QHO@@A@'RAP@@A@BCDU@  ,    d@)AS U@  ,   |  h^ M m i^ M @h[@ [@ $3Ab"p1}:@@ @ d@ {Z }  |Z } @@ 4#fl1~:*:)@@ @ gu@@ @ h@ @ f@@ @ e@ Z }  Z } @@ I"p2:%@@ @ q@ Z }  Z } @@ S#fl2:I:H@@ @ t@@ @ u@ @ s@@ @ r@ Z }  Z } @@ h cl@BZb@?X@@A!V@@LY@@AB.W@@BCDiEZ@  ,   l z]@AT uZ@  ,   D | \   ]  L@]H[ |wD%uE]@  ,   ,  \   \  @@[@ p@[@ r[@ u@_@ @_@ Dm f@  ,     [   _  @@Ar Y@  ,   (  o   p  @[@ 8Hݠ"t1@@ @ N@ n X l n X n@@ à#tl1@@ @ P@@ @ O@ n X p n X s@@ Ġ"t2@@ @ W@ n X } n X @@ Š#tl2Ҡ  @@ @ Y@@ @ X@ n X  n X @@  аٰ3X"t1W~ϰ#Z}@@AB4V@@Y@@Az@BCDy[Z@  ,     3p  N@@[@ h[@ 4@[@ 5W@_@ @_@ DU !]@  ,    ^@AW #Z@  ,   0  Em ! / Fm ! W@`F9'  6@@ @ *@ Pl   Ql  @@ 	"t2  @@@ @ 7@ Zl   [l  @@  @X@ABCBY>=@@ABCDY@  ,    "(@0A# Y@  ,   P $ or * 8 pr * g@m[@ 8Dc &/U@  ,    -	@;Ae (1U@  ,    / ze   {e  @x[@ CFp$row1]@@ @ @ d ] s d ] w@@ B$row2g@@ @ @ d ]  d ] @@ L GP@W@@AV@@@ABCEDW@  ,    V'@dA  Q
W@  ,   0 X i   i  @[@ lF ZcU@  ,    a	@oA \eU@  ,   ߜ c g   g  C@
[@ wF#fi1  @@ @ @ f   f  @@ x$_nm1!@@ @ ֠  @@ @ @@ @ @ @ @@ @ @@ @ @ f   f  @@ #fi2  @@ @ @ f   f  @@ $_nm2HC@@@ @ =  @@ @ @@ @ @ @ @@ @ @@ @ @ f   f  @@  h@B@VW@@A0V@@BihCDfEX:W@  ,   \ d@A] W@  ,    ɰ Y ? M Y ? |@=ېF
"p1y  @@ @ @@ #W   $W  @@ #tl1z   @@ @ B@@ @ A@ 1W   2W  @@ "p2{ 
@@ @ M@ ;W  
 <W  @@ #tl2|  .@@ @ O@@ @ N@ IW   JW  @@ 	 @B@7W@@!Y@@ABCD@@AB3V@@X@@A@BCEY@  ,   ޔ 	K@"AF 	Y@  ,   ތ 	 aX  , bX  ;@ y@@^@ _@ -BR 	Y@  ,   x 	"@0AT 	 Y@  ,   \ 	$ oc ! / pc ! \@m[@ k8Bc 	&)!@(@ABC!%$@@ABCDW@  ,   D 	5@CAm 	0
W@  ,    	7 V   V  @[@ [@ ULFy#tl1wև {@@ @ &@@ @ %@ U x  U x @@ 	O#tl2x֕ @@ @ -@@ @ ,@ U x  U x @@ 	] 	Xa Q@BK@#W@@AV@@@ABCDW@  ,   ݘ 	h1@vA) 	cW@  ,    	j T @ N T @ v@|F"l1q@@ @ @ Q q  Q q @@ 	"t1r @@ @ @ Q q  Q q @@ 	"u1s @@ @ 	@ Q q  Q q @@ 	"l2t@@ @ @ Q q  Q q @@ 	"t2u @@ @ @ Q q  Q q @@ 	"u2v @@ @ @ Q q  Q q @@ 	 	]@B@D[@@A'X@@B^]CD<Z]"W\BT@:Y@@AV@@BCEW9[@  ,    	ư S   S  >@QؐF\ 	[@  ,   ܠ 	Ͱ T @ w@@A` 	[@  ,   ܘ 	Ѱ R   R  @@@b@ b@ c@ An 	,[@  ,   | 	߰ *R   +R  @@@b@ b@ c@ A| 	:[@  ,   H 	 8Q q  9Q q @@@_@ _@ `@ B 	H[@  ,   < 	 FR  @@A 	L[@  ,   ۜ 	 JO 1 J KO 1 ^@AA@ 	 	@@  ,   ۔ 
 OO 1 T@AA@ 
 
 @@  ,   x 
 SO 1 A	@@AB 
@V@ABCDV@  ,   x 
 _N   `N  /@ s@@_@ e`@ c`@ S-AX 
V@  ,   h 
"@0AZ 
V@  ,   ` 
$ oM   pM  @ @@`@ Pa@ ;Bf 
)$V@  ,   P 
0 {M   |M  @A2Ctype.eqtype.(fun)A@ 
/ 
.@@  ,   4 
6 M  7@@FAp 
3.V@  ,    
: K j | K j @^@ NAy 
<EY@  ,    
C	@QA{ 
>GY@  ,    
E J 6 I J 6 ]@[@ YB 
GPZ@  ,    
N I   I  4@ @@^@ _@ eA 
S\Y@  ,   ڬ 
Z H   P _ p@@kA 
XaU@  ,   ڜ 
_ G   G  @@pA 
]fU@  ,   T 
d a   a  @[@ 9xB 
foU@  ,   < 
m	@{A 
hqU@  ,   0 
o k   k  @@A 
mvU@  ,   ٠ 
t E o y E o @ @@]@ ^@ C 
y@|@A+wB'&C$tDS@  ,   ل 
 E o  E o @AA@ 
 
@@  ,   p 
@@A 

S@  ,   H 
 C & 0 C & T@[@ |B 
@@B<;C9D+
V@  ,   , 
 C & J
@AA@ 
 
@@  ,    
 B   u  @@A 

R@  ,    
 A   A  @@A 
R@  ,    
 A  
@@A 
RA  ,    
 @   @  @AA 
UQ@@AK@BCDJ,Q
  ,    
 @   @  @̐A 
+b@@A_CDV8P@  ,    
Ű @  '@@A 
PA  ,    
˰ > F X > F p@AܐB 
ʰ;rn@g@ABDfHO  ,    
ְ !> F N8@@A
 
	OA  ,   ؼ 
ܰ '=  * (=  B@AB 
۰L@BDvXN  ,   ؤ 
 1=   H@@A 
N@  ,   ` 
 5;  
 6;  @@A"p1i @@ @ @ @:   A:  @@ 
"p2j @@ @ @ J:   K:  @@  
@ԾPO@A@!R@@ABQ@@BC0DR@  ,   X  _:   `:  @ w@@\@ ]@ +B1 R@  ,   D  @.A3 R@  ,   l " m8   n8  @A3A@   @@  ,   d ' r8  @A7A@ $ #@@  ,   @ + v8  	@@;A8 (@ãO@@ABCRDO@  ,   @ 6 7 [ g 7 [ @ @@]@ ^@ ^@ OAM =O@  ,   0 D@RAO ?O@  ,   ( F 6  + 6  U@ @@^@ _@ ]B[ K#O@  ,    R 6  7 6  N@A"A@ P O@@  ,    W 6  (5@@gAd T,O@  ,    [ 4   4  @[@ v\@ fqAo _R@  ,    f@tAq aR@  ,   ִ h 4   4  @)[@ [@ [@ +B~ nS@  ,   ֈ u 3   3  @ @@\@ 3]@ &A zR@  ,   l  2   9  @@A N@  ,   \  1 ` | 1 ` @@A N@  ,     / 8 :@@A @9@A54B2C$H@  ,   ո  -  / -  1@@A 	H@  ,   ը  -  @@A 
HA  ,   դ  ,   ,  @AA E@?BC8G  ,   ՘  ,  @@A GA  ,   Ք  +   +  @AA %SCG)F
  ,   Մ  	+  @@A F@  ,   x  	*   	*  @@A F@  ,   d  	*  @@@ F@  ,   H İ 	6  F 	6  M@@AӠ!tk^@ @ 	6  @ 	6  A@@  ˰@ClA@@B@@AB@B@@A@BA  ,   < A@ װ@@A@A  ,   ,  	,M   	-M  @@A!t߀@ 	3M   	4M  @@  @_A@@
B@@AB@B@@A@BA  ,     A@0 @@A@A  ,     	H
    	I
   *@@[@ B[@ @]@ 2Ctype.rigidify_recA $vars/@ 	X
   	Y
   @@ q"ty0[@ @ 	a
  ! 	b
  #@@ r"ty1 @@ @ \@ @ 	m
 & , 	n
 & .@@ &s !@D@@ACA@@&B@@AB@ B@@A $C@@B@@@@AE@  ,    8 	
    	
   -@@6A4 6D@  ,    = 	
   	
  @@^@ >A@#row2l@@ @ @ 	
   	
  @@ Qt#row37@@ @  ]@ @ 	
   	
  @@ ]u$more4 F@@ @ 0]@ &@ 	
   	
  	@@ iv d@D@AG@@F+E@@ABGDCB>G@  ,    t 	
  7@@qA2 q
G@  ,   Լ x 	
   	
  @@@]@ _]@ n^@ i~A@ G@  ,   Ԩ  	
 ; C 	
 ; c@ @@\@ T]@ >BL 'G@  ,   Ԙ  	
 ; L 	
 ; _@@(#@^@ NAU 0H@  ,   Ԉ ]@@AX 3G@  ,   Ԁ  	
   	
  -@ @@\@ )]@ '^@  Bh%more'5 @@ @ ^@ y@ 	
 [ i 
 
 [ n@@ w$row'6@@ @ ^@ @ 

   

  @@ x [Z@H@@ABZ@I@@ABCI@  ,   l ΰ 

  0@@@^@ ^@ %_@ ӐB/ I@  ,   \ ۰ 
&
   
'
  ,@AA@  @@  ,   T B@A6 I@  ,   H  
-
   
.
  @AA@  @@  ,     
2
  I@@A> %|@BCHA  ,     
;
 [ q 
<
 [ @AB G  ,     
B
 ! U 
C
 . 9@@A G@  ,     
G
 ! @ 
H
 ! O@Y@@_@ e_@ t`@ oA 
G@  ,    
 
U
 ! , 
V
 ! 8@@@^@ K^@ Z_@ UA 
G@  ,   Ӽ 
 
c
 ! )@@A 
GA  ,   Ӹ 
 
i
   
j
  @AA 
@@@ABCF  ,   Ӭ 
) 
t
  @@&A 
&	FA  ,   Ө 
/ 
z
   
{
  @A-A 
.@
@@AB	CE  ,   Ә 
: 

  @@7A 
7	E@  ,   | 
> 

 ߄ ߵ 

 ߄ @A<A@ 
< 
;@@  ,   h 
C 

 ߄ ߭@@@A> 
@D@  ,   \ 
G 

 ߄ ߓ 

 ߄ ߧ@@@]@ ]@ ^@ MBL 
N-D@  ,   @ 
U 

 ߄ ߌ@@RAP 
R1D@  ,    
Y 

 W [ 

 . 5@@WAU 
W@30B.*C@  ,    
` 

 < A 

 < Q@ @@[@ \@ dAc 
eC@  ,    
l 

 < >@@iAg 
iCA  ,    
r 

 & 1 

 & 8@ApAn 
q@KJBHDB
  ,    
{ 

 & ("@@x@u 
xB@  ,   Ұ 
 

 ҧ ҫ 

  _@A7Ctype.moregen_row.(fun)A@ 
~ 
}@@  ,   p 
 

 қ ҝ 

 ` i@@1Ctype.moregen_rowA 
F+inst_nongen
p[@ y}@ 

m 5 E 

m 5 P@@ 
6*type_pairs
q[@ @ 

m 5 Q 

m 5 [@@ 
7#env
+[@ @ 

m 5 \ 

m 5 _@@ 
8$row1
[@ @ 
m 5 ` 
m 5 d@@ 
9$row2
[@ @ 

m 5 e 
m 5 i@@ 
:$row1
@@ @ \@ @ 
n l r 
n l v@@ 
;$row2
@@ @ \@ @ "
n l ͋ #
n l ͏@@ 
<#rm1
 @@ @ ,\@ !@ .
o ͣ ͩ /
o ͣ ͬ@@ 
=#rm2
 @@ @ =\@ "@ :
o ͣ  ;
o ͣ @@ 
>(may_inst
4@@ @ j\@ Z@ F
q   G
q  
@@ 
?"r1
ѠT@ RQT@ RR@ @ @@ @ \@ @ Y
s Y _ Z
s Y a@@ @"r2
@ @ @@ @ \@ @ j
s Y c k
s Y e@@ #A%pairs
 	?$#$@ @ @@ @ \@ @ |
s Y g }
s Y l@@ 5B"r1
 	Q  \@ T@ @ @ @@ @ \@ @ 
t Σ Ω 
t Σ Ϋ@@ HC"r2
 	d  \@ /  T@ B@ @ A@@ @ @\@ @ 
t Σ έ 
t Σ ί@@ [D V@K@@AC@@BE@@tJ@@AEL@@6OnN@@A&P^M@@BCDH@@I@@AFB@@GA@@D@@ABCE@ B@@A 
C@@B `D@@ J@@A  I@@Q@@ABCN@@L@@ eH@@ABU@@K@@ACDT@@EO@@A  F@@ E@@AB G@@S@@AC9P@@|R@@M@@ABDE@ @@A: @@B @@b @@A@@@BCP@  ,   h  
   
  @[@ [@ [@ 2[@ M[@ z\@ 8A8 @rRrQl@Aj@BihD\[EO'R@  ,   X @FAE 
R@  ,   P а 
 m v 
 m ғ@\@ NAN R@  ,   @ 	@QAP R@  ,   8 ۰ &
 < B '
 < l@*[@ 6YEY !R@  ,    	@\A[ #R@  ,   h  1
   2
  @5\@ dBe#ext
Jt@@ @ ^@ @ A
 Q [ B
 Q ^@@ E 9@S@@ABDE[S@  ,   L  M
   N
  @ _@@]@ ^@ C S@  ,   ,  Y
 ѳ ѹ Z
 ѳ @ k@@]@ l^@ `C+ S@  ,    3@@A. !SA  ,     j
 a i k
 a ѩ@AA bR  ,    & q
 a r@AA@ # "@@  ,    * u
 a | v
 a Ѩ@AA@ ( '@@  ,   Ф / z
 Q WI@@A ,pR@  ,   Д 3 ~
 : E 
 : M@@A 1uR@  ,   Ј 8 
  7 
  9@@A 6zR@  ,   Ѐ = 
  $ 
  3@ @@]@ ^@ A BR@  ,   h I@A DR@  ,     K 
 Н У 
 Н @ǐD KR@  ,    R@A MR@  ,   P T 
 [ ]@@A QP@  ,   H X 
~ Ͻ  
~ Ͻ @ @@]@ }]@ 3ِB ]@sQ
@A@BDEQ@  ,   0 l@A g
Q@  ,   $ n 
 B Q 
 B S@@A lQ@  ,    s 
   
  A@]@ uB uQ@  ,    | 
  "	@AA@ y x@@  ,     
  + 
  @@AA@ ~ }@@  ,    @A #Q@  ,     
| z ϔ 
 T Y@@A /P@  ,   μ  
| z |@@A 3P@  ,   μ  
z + @ 
z + r@ @@[@ \@ \@ sB AP@  ,   ά  
z + R@AA@  @@  ,   Τ  
z + [ 
z + q@AA@  @@  ,   Δ @A LP@  ,   ΀  
y # %$@@#A" PP@  ,   X  
w   
w  @@(A% UPOM@J@AG@BCDFEE9P@  ,   0  

v   

v  @4B2 b]\Z
{QV@BCDUTEH Q@  ,    ǰ 

v   

v  
@~CBA P@  ,    ΰ@@GAD P@  ,    Ѱ 

t Σ ΥL@@KAH #N@  ,    հ 
 
s Y o 
!
s Y Ο@ܠʠ@ @ \@ XBS ܰ@@A@@AwuBCspDjBJ@  ,   ͸  
4
s Y [d@@cA] 
J@  ,   ͜  
8
r  # 
9
r  B@5@@^@ }^@ _@ pBj @BCDXI@  ,   ̀  
J
r   
K
r  @@@^@ ~^@ _@ A| I@  ,   l 
 
X
q  @@A 
I@  ,   `  
\
p   
]
p  @@A I@  ,   P  
a
p  @@A IA  ,   L  
g
o ͣ  
h
o ͣ @AA ?@@ABCH  ,   8 ' 
r
o ͣ ͯ 
s
o ͣ @KA '@@@ABCG@  ,   ( 2 
}
o ͣ ͥ@@A /GA  ,   $ 8 

n l ͒ 

n l ͟@AA 7@BCF  ,    B 

n l y 

n l ͆@~A BCE@  ,    K 

n l n@@@ HE@  ,    O 

  # 

  ^@@@^@ ^@ ֐BԠ!l
 $[@ h@ 

 ҧ ұ 

 ҧ Ҳ@@ eF"f1  ![@ i@ 

 ҧ ҳ 

 ҧ ҵ@@ mG"f2 )[@ j@ 

 ҧ Ҷ 

 ҧ Ҹ@@ uH#err 
 
@@ @ @@ @ @ 

   

  @@ \ ~@G@@AE@@'C@@AB B@@3D@@AA@@ F@@ABC@ 
B@@AG@@E@@ABH@@|D@@A 
C@@F@@ABC@G@  ,     

  2 

  ]@A&A@  @@  ,     

  3 

  U@A+A@  @@  ,     

  ;@A/A@  @@  ,   ̼ d@1AZ 0G@  ,   ̀   
   
  @m@@]@ ]@ <Ag"f1E@@ @ ~]@ s@ 
   
  @@ I"f2E@@ @ ]@ t@  
   !
  @@ J ԰@IS@AJTSQ@BCL@J@  ,   t .@aA$ 
J@  ,   L  0
   1
  @ 
D@@^@ >^@ =^@ -nA9"c1	FP@@ @ )@ I
 Ԛ ԭ J
 Ԛ ԯ@@ Q#tl1
: 	<@@ @ +@@ @ *@ W
 Ԛ Ա X
 Ԛ Դ@@ R"e1F6F4F3@@ @ /@@ @ .@@ @ -@ i
 Ԛ Թ j
 Ԛ Ի@@ "S"c2Fz@@ @ :@ s
 Ԛ  t
 Ԛ @@ ,T#tl2
:ڠ 	f@@ @ <@@ @ ;@ 
 Ԛ  
 Ԛ @@ :U"m2Fk@@ @ =@ 
 Ԛ  
 Ԛ @@ DV"e2FjFhFg@@ @ @@@ @ ?@@ @ >@ 
 Ԛ  
 Ԛ @@ VW Q@cK@@;Q@@ABNL@@N@@A@BC@@+O@@AB@eM@@=P@@ABCD@Q@  ,   @ k@Az fQ@  ,   , m 
  @@A~ jQ@  ,    q 
 @ U 
 ֫ @ 
@@^@ @^@ B"t2 	@@ @ @ 
 " 5 
 " 7@@ X 0'@R@@A&%BCD@R@  ,     
 _ v 
 _ ֪@AA@  @@  ,    "@A 
R@  ,     
  @@A AQ@  ,   ˼  
 ն  
 ն @S@@]@ J]@ ^@ "C OQ@  ,   ˬ  
 ն  
 ն @@@@^@ @^@ -C ZS@  ,   ˀ @0A \Q@  ,   t  
 } Տ  
 } ՞@C@@]@ V9A fR@  ,   `  	
 } ա 

 } հ@_@ fBA oQ@  ,   L ǰ 
 A P 
 A {@ $@@]@ >^@ NB {Q@  ,   8 Ӱ 
 A a@ASA@  @@  ,    װ@@VA Q@  ,    ڰ %
  " &
  ?@ 9@@]@ ^@ ^@ cA Q@  ,    @fA Q@  ,     5
   6
  @@kA Q@  ,     :
  @@oA  Q@  ,   ʈ  >
 ׅ ׿ ?
 ׅ @>]@ wB<"e1G!GG@@ @ @@ @ @@ @ @ T
 ׅ ס U
 ׅ ף@@ 
[ @@AN@8@AB6@@ABC@N@  ,   p %@A N@  ,   h  e
 ׅ ׳ f
 ׅ ׻@@A# N@  ,     j
 J W k
 J ԙ@@@]@ ^@ vBm#tl1;ڠ 
f@@ @ @@ @ @ 
   
  @@ :M"e1G`G^G]@@ @ @@ @ @@ @ @ 
    
  @@ LN"t2 
@@ @ @ 
   
  @@ VO Q@N@@A@B$L@@@AC@O@@A8M@@BCD@O@  ,    f 
 J a 
 J ԕ@AA@ d c@@  ,   ɘ k 
 ( 5 
 ( H@ @@]@ c^@ TBL pO@  ,   ɀ wW@@AO s"O@  ,   x z 
   
  $@@AT x'O@  ,     
 d q 
 d ׄ@]@ sBȠ"e1GGG@@ @ a@@ @ `@@ @ _@ 
   @ 
   B@@ Z @SNVL@@AH@M@@A@BCD@N@  ,    (@%A! N@  ,   ȴ  
   X 
   `@@*A& N@  ,     
 ؏ س 
 ؏ @]@ 2A @oK@@A@BC&@K@  ,    @;A K@  ,     

 Ӱ  
 Ӱ @@@A @|L@A@BC4@L@  ,    ˰ 
 B q 
 B ؎@]@ OA L@  ,    	@RA L@  ,   x ְ !
  $ "
  A@!]@ ZA ذ@ܗM+@A@BWU@"t1L@@ABCT@M@  ,   l @iA, M@  ,   \  8
 z Ӈ 9
 z ӯ@8]@ 3qE7 +@@ @ @ E
 G ` F
 G b@@ K"t2 5@@ @ @ O
 G s P
 G u@@ L +,}{@&@N@@ABCDy@N@  ,   $ #@A N@  ,   ƴ  ]
   ^
  @@AV <J@  ,   ƌ  b
 , 5b@@AZ @J@  ,   ƀ  f
 
 $ g
 
 &@@A_ EJ@  ,   p   k
 
 k@@Ac IJA  ,   l & q
   r
  @AA %QLC@I
  ,   X / z
   {
  @mA /@@AWC@H@  ,   < 9 
 ҽ @@A 6DA  ,     ?A@ :@@A@A  ,    D 
 J l 
 J Ԕ@@@"t18]@ i@ 
 J f 
 J h@@ QP L@A@@A@E@@AC@@7B@@ABF@@D@@AC@A@  ,    ` 
 _ ց 
 _ ֩@@@"t1T^@ @ 
 _ { 
 _ }@@ mY h@A@@A@E@@AC@@SB@@ABF@@D@@AC@A@  ,   ż | 
k  ' 
k  3@[@ [@ [@ 2Ctype.moregen_kindB :"k1
[@ @ 
c   
c  @@ 1"k2
[@ @ 
c   
c  @@ 2"k1
@@ @ \@ @ 
d   
d  @@ 3"k2
@@ @ \@ @ 
e   
e  @@ 4 @C/B@@AD*A@@B@ E@@A F@@B G@@ *M@@A aL@@'T@@ABCFQ@@ O@@ K@@ABX@@ N@@ACDW@@R@@A AI@@ XH@@AB J@@V@@ACzS@@U@@ P@@ABDE@ @@A{ @@BZ@@@ @@ABC@@BCD@  ,   Ť v@lAj =D@  ,   ň  ?
h X ~ @
h X ̋@@qAp!r
JH @@ @ @@ @ @@ @ @ Q
h X b R
h X c@@ 
5 UQ@E@@ABP(E@  ,   P  [
j ̵  \
j ̵  @@@]@ ]@ A dD@  ,   H @A fD@  ,   <  h
i ̌ ̲ i
i ̌ ̴@@A kD@  ,    " m
g D F@@A oD@  ,    & q
f ) < r
f ) >@@A $tD@  ,    + v
f ) +@@A (xDA  ,    1 |
e   }
e  %@AA 0z@ByQC
  ,    : 
e  
@@A 7CA  ,    @ 
d   
d  @AA ?@@A@BaB  ,   ļ J 
d  @@@ GB@  ,   Ĝ N 
[ ʙ ʝ 
` ˽ @A:Ctype.moregen_fields.(fun)A@ M L@@  ,   ` T 
W 0 2 
X [ ʊ@}[@ [@ .4Ctype.moregen_fieldsE +inst_nongen
@ 
N   
N  @@ q*type_pairs
B[@ ^@ 
N   
N  @@ z#env
 [@ e@ 
N   
N  	@@  #ty1
[@ l@ 
N  
 
N  
@@ !#ty2
[@ s@ 
N   
N  @@ "'fields1
 Z S@@ @  P@@ @  @@ @ @ @ @@ @ \@ |@ 
O   
O  "@@ #%rest1
 @@ @ \@ }@ 
O  $ 
O  )@@ $'fields2
  z@@ @  w@@ @  
@@ @ @ @ @@ @ \@ @ 
P @ G 
P @ N@@ %%rest2
 @@ @ \@ @ )
P @ P *
P @ U@@ &%pairs
  @@ @ \@ Ҡ @@ @ \@ Ӡ 
/@@ @ \@ Ԡ @@ @ \@ ՠ 
;@@ @  \@ @ @ @@ @ \@ @ V
Q o v W
Q o {@@ '%miss1
 =-(#@ @ @@ @ \@ @ h
Q o } i
Q o ɂ@@ !(%miss2
 \?.)@ @ @@ @ \@ @ z
Q o Ʉ {
Q o ɉ@@ 3) .@LIF@@AC@@H@@K@@ABCE@@;N@@A*M@@kO@@ABG@@zJ@@ACB@@A@@D@@ABDE@ H@@A I@@B 
8J@@ P@@A O@@W@@ABCT@@ hR@@ 	=N@@ABe[@@ Q@@ACDZ@@U@@A L@@ K@@AB 
fM@@Y@@ACV@@TX@@ mS@@ABDE@] @@A@@@BC@@: @@AF@@BCO@  ,   0  
X [ _5@yY@ 2C1 \R@  ,      
X [ m 
X [ w@ 
@@^@  @ >A= hT@  ,    I 
a  @@CAA lO@  ,     
U  & 
U  (@@HAF qO@  ,     
T   
T  @ @@[@ \@ {\@ \@ BWBW!n
 	l@@ @ !@ 
T   
T  @@ * @yP@AC@Q@@AB@~BC|{DEwOQ@  ,    ΰ 
T  (@AtA@  @@  ,    Ұ 
T   
T  @AyA@  @@  ,    1@{A# Q@  ,   ä ٰ $
R ɱ ɳ=@@A} O@  ,   È ݰ (
Q o ɍ )
Q o ɭ@ՠ@ @ \@ B @@AC@BCDrK@  ,   x  <
Q o qU@@A 
K@  ,   d  @
P @ Y A
P @ k@@&@ @ \@ A @@A@@A@@ABCDH@  ,   D 	 T
O  - U
O  ?@{a@ @ \@ A @@@ABCE@  ,   4  e
O  ~@@@ E@  ,     i
_ o x j
_ o ˼@@@^@ K^@ Q֐BР!n
@@[@ [@ @ 
[ ʙ ʣ 
[ ʙ ʤ@@ :+"k1
[@ @ 
[ ʙ ʦ 
[ ʙ ʨ@@ B,"t1
2[@ @ 
[ ʙ ʪ 
[ ʙ ʬ@@ K-"k2
[@ @ 
[ ʙ ʮ 
[ ʙ ʰ@@ S."t2
C[@ @ 
[ ʙ ʲ 
[ ʙ ʴ@@ \/%trace
  @@ @ =@@ @ <@ 
^ % f 
^ % k@@ j0 e@G@@A8E@@B(C@@GF@@AC
A@@8D@@A(B@@H@@$I@@ABCD@ B@@AG@@BE@@eC@@AD@@F@@ABC@I@  ,     
_ o ˇ 
_ o ˺@A@A@  @@  ,     
_ o ˉ 
_ o ˯@  @@^@  @@^@ S^@ @	^@ ^@ XC @J@  ,    @[A BI@  ,   ´  
^ % 0 
^ % X@XaE @F@AEDBB@>@BC8@J@  ,   p  
] 
  
] 
 #@mB F@  ,   ` @@qA FA  ,   0 xAu@h @S@AH@A  ,    ˰ 
L ȡ Ȯ 
L ȡ @@Y@ |@~[@ u@\@ G@\@ F2Ctype.moregen_listC +inst_nongen
	E@ +
I  , ,
I  7@@ *type_pairs
[@ @ 4
I  8 5
I  B@@ #env
 o[@ @ <
I  C =
I  F@@ #tl1
[@ @ E
I  G F
I  J@@ #tl2
[@ @ N
I  K O
I  N@@  @C@@0E@@ABB@@A@@.D@@ABC@ IK@@A PL@@B M@@ 
~S@@A 
R@@{Z@@ABCW@@ %U@@ 
Q@@AB"^@@ jT@@ACDH]@@X@@A O@@ N@@AB #P@@W\@@ACY@@[@@ *V@@ABDE@ @@AC@@BF@@@@@AI@@BCG@  ,     F 
L ȡ ȣ 
L ȡ @@sAq DBE@  ,     K 
K ~ Ȃ 
K ~ ȟ@ @@[@ 
\@ \@ A RPE@  ,    Y@A TRE@  ,    [ 
J Q V 
J Q e@@@\@ A ^\F@  ,    e 
J Q i 
J Q x@^@ A geE@  ,    n 
J Q S(@@@ kiE@  ,    r 
F   
F  @:@@]@ T]@ Z-Ctype.moregenB 3+inst_nongen
]@ 
 T d 
 T o@@ *type_pairs
][@ us@ 
 T p 
 T z@@ #env
 [@ uz@ 
 T { 
 T ~@@ "t1
^[@ u@ 
 T  
 T @@ "t2
f[@ u@ 
 T  
 T @@ "t1
 @@ @ u\@ u@  
   
  @@ "t2
 @@ @ u\@ u@ 
	   

	  @@ %trace
  @@ @ F@@ @ E@ 
F   
F  @@  ΰ@CC@@AImH@@WE@@AB0FBB@@)G?A@@AQnI@@$J@@A^D@@BCD@ !N@@A (O@@B P@@ VV@@A U@@S]@@ABCrZ@@ X@@ T@@ABa@@ 	BW@@ACD `@@[@@A mR@@ Q@@AB S@@/_@@AC\@@^@@ Y@@ABDE@@@@AF@@BI@@C@@AnL@@BCJ@  ,     i
F   j
F  @AA@  @@  ,    # n
F   o
F  
@ z u@@]@  Z@@]@ \]@ @	]@ ]@ B 5gK@  ,   t <@A 7iJ@  ,    > 
D Ǔ ǡ 
D Ǔ Ǿ@z[@ u[@ u[@ wK[@ wJ[@ y[@ }WӐAՠ#t1'
 A@@ @ w]@ v@ 
 ; G 
 ; J@@ _#t2'
 M@@ @ w]@ w@ 
 c o 
 c r@@ k#t1'
 T@@ @ w$]@ w@ 
   
  @@ w#t2'
 `@@ @ w2]@ w@ 
   
  @@  ~@|rT|qS|M|L@@A@oR@@A@BC@.PHN@@A@'QAO@@A@BCDT@  ,    d@'AS T@  ,     
0  ß 
0  ü@h[@ {([@ {g1Ab"p1
K@@ @ x1@ 
, ¯  
, ¯ @@ #fl1
KK@@ @ x4 @@ @ x5@ @ x3@@ @ x2@ 
, ¯  
, ¯ @@ 	"p2
K@@ @ x>@ !
, ¯  "
, ¯ @@ 
#fl2
KРK@@ @ xA @@ @ xB@ @ x@@@ @ x?@ 6
, ¯  7
, ¯ @@  m@epYc@>W@@ABC U@@!@ALX@@/V@@ABD#iEY@  ,    ]@AT Y@  ,     N
.   O
/ K ~@]H[ 5@yBCD1wE#\@  ,     Z
.  ! [
.  J@@[@ z@[@ z[@ z@_@ {H@_@ {GCo e@  ,     i
-   j
1 ý @@At X@  ,    # n
? ơ Ư o
@  @[@ zHߠ"t1
 e@@ @ y@ 
> o ƃ 
> o ƅ@@ 8#tl1
C r@@ @ y@@ @ y@ 
> o Ƈ 
> o Ɗ@@ F"t2
 }@@ @ y$@ 
> o Ɣ 
> o Ɩ@@ P#tl2
[ @@ @ y&@@ @ y%@ 
> o Ƙ 
> o ƛ@@ ^ Y۰3W"t1
VѰ#Y@@AB4U@@X@@A@BCD]Y@  ,   \ q 
@  N@@[@ |[@ z@[@ zW@_@ |@_@ |CU z!\@  ,   4 ^@AW |#Y@  ,     
= 8 F 
= 8 n@`E;' @@ @ x@ 
<   
<  @@ "t2
 @@ @ y@ 
<  , 
<  .@@  @VW@ACA
X=<@@ABCDX@  ,    '@/A" X@  ,     
B @ N 
B @ |@n[@ }7Dd 0T@  ,    	@:Af 2T@  ,   X  
5 Ğ Ĭ 
5 Ğ @y[@ {BEq$row1
@@ @ x@ 
4 p Ć 
4 p Ċ@@ $row2
@@ @ x@ 
4 p ĕ 
4 p ę@@ 
 ϰREB@V@@AU@@BC FDV@  ,     '@cA  
V@  ,     +
9 ś ũ ,
9 ś @[@ |kE dT@  ,    	@nA fT@  ,   8  6
7  % 7
7  V@
[@ {vE#fi1
 -@@ @ x@ G
6   H
6  @@  $_nm1
ʩʤʡ@@ @ xʞ G@@ @ x@@ @ x@ @ x@@ @ x@@ @ x@ d
6   e
6  @@ #fi2
 T@@ @ x@ n
6   o
6  @@ '$_nm2
Рˠ@@ @ xŠ n@@ @ x@@ @ x@ @ x@@ @ x@@ @ x@ 
6  
 
6  @@ D ?q@B@UV@@A/U@@r@ABCqDc;V@  ,     Od@A] JV@  ,   t Q 
+ q  
+ q ®@<ڐE"p1
 z@@ @ x
@ 
)  & 
)  (@@ d#tl1
 v @@ @ x@@ @ x@ 
)  * 
)  -@@ r"p2
 @@ @ x@ 
)  < 
)  >@@ |#tl2
  @@ @ x@@ @ x@ 
)  @ 
)  C@@  B@6V@@ X@@ABC@@AB2U@@W@@A@BCDX@  ,   @ J@ AE X@  ,   8  
* I ^ 
* I m@  @@^@ z_@ z+BQ X@  ,   $ @.AS X@  ,     
3   C 
3   o@m[@ {6Bc /#@(@ABC!%$@@ABCDV@  ,    @AAm 
V@  ,     	
(   

(  @[@ {-[@ zJEy#tl1
 @@ @ w@@ @ w@ 
'   
'  @@ #tl2
 @@ @ w@@ @ w@ +
'   ,
'  @@  ߰a
Q@BK@#V@@AU@@@ABCDV@  ,   L 1@tA) V@  ,     <
& s  =
& s @zE"l1
@@ @ w@ M
#   N
#  @@ "t1
 =@@ @ w@ W
#   X
#  @@ "u1
 G@@ @ w@ a
#   b
#  @@ "l2
$@@ @ w@ k
#   l
#  @@ $"t2
 [@@ @ w@ u
#   v
#  @@ . "u2
 e@@ @ w@ 
#   
#  @@ 8 3eBa@CZ@@A&W@@BC;Yf!VeB]@9X@@AU@@BCD`8Z@  ,    L 
% ; I 
% ; q@	ՐE[ LZ@  ,   d Sa@@A^ OZ@  ,   \ V 
$  ( 
$  6@ i@@b@ zHb@ zgc@ zbAl ]*Z@  ,   @ d 
$   
$  $@ 	@@b@ zIb@ zXc@ zSAz k8Z@  ,    r 
#   
#  @ 	-@@_@ y_@ z`@ zB yFZ@  ,      
$  7@@A }JZ@  ,     
"   
"  @D
B: T@  ,   h  
! P ^ 
! P @ @@^@ y_@ yCF T@  ,   H  
  " 0 
  " N@ @@^@ y_@ y%CR T@  ,   $ @@)AU !T@  ,     
   
  @ 	@@^@ y_@ y{4Ba -T@  ,    @7Ac /T@  ,     
2    
2  @v[@ {|?Bl 8T@  ,    	@BAn :T@  ,     

;   
;  @@GAs ?T@  ,   H İ 
   
  @ !@@]@ w^@ wRC ɰ@E@A@C<DR@  ,   , ԰ 
    
  @A\A@  @@  ,    ٰ@@_A R@  ,    ܰ '
 = G (
 = k@[@ wOgB ް@@ABQDU@  ,     4
 = a
@ApA@  @@  ,     8
 + 3 9
E ǿ @@uA 
Q@  ,     =
  # >
  %@@zA Q@  ,     B
  
@@~A QA  ,     H
   I
  @AA 'm#@g@A@BCDP
  ,    	 T
   U
  @A 	+4@x@A1CD( O@  ,     _
  '@@A OA  ,   |  e
 c u f
 c @AB ;D@@9@ABC8N  ,   h % p
 c k8@@A "	NA  ,   d + v
 ; M w
 ; _@AB *LU@QBCH M  ,   L 5 
 ; CH@@A 2M@  ,    9 
 % - 
 % /@@A"p1
 ^@@ @ v@ 
   
  @@ H"p2
 h@@ @ v@ 
   
  @@ R M@ON@A@@A!Q@@P@@ABC0DwOQ@  ,     c 
   
  !@ @@\@ v]@ vB1 hQ@  ,    o@A3 jQ@  ,   8 q 
   
  @-[@ vB sIM@  ,    z 
   
  @ @@\@ v]@ vD UM@  ,     
 q y 
 q @ @@\@ v]@ vyC aM@  ,     
 J R 
 J o@ @@\@ va]@ vU C mM@  ,    ,@@$A! pM@  ,     

  ( 

  F@ @@\@ v?]@ v8/B- |M@  ,    @2A/ ~M@  ,   ,  
   
F  @@7A4 @BCG@  ,      
   
  @@?A< G@  ,     
  
@@CA@ GA  ,    ° 

	   
	  @AJAG @BCF  ,     ̰ 
	  @@SAO FA  ,    Ұ 
   
  @AZAV Ѱ$CE
  ,    ۰ &
  ,@@bA] E@  ,    ߰ *
   +
  @@gAb E@  ,     /
  5@@k@f E@  ,     3 h n 4 h @@9Ctype.filter_method_fieldA #env
C@ ?  4 @  7@@ $name
D[@ lk@ H  8 I  <@@ $priv
E[@ lr@ Q  = R  A@@ 
"ty
F[@ ly@ Z  B [  D@@ "ty
G	\@ l@ b G M c G O@@  @fF@@A1D@@,C@@AB$B@@EA@@AC@cF@@ C@@AB D@@ B@@AE@@BC@ @@@AF@  ,    7  1 9  1 ^@@OAS!n
H @@ @ l@  V a  V b@@ IŠ$kind
I @@ @ l@  V d  V h@@ SƠ#ty1
J @@ @ l@  V j  V m@@ ]Ǡ#ty2
K @@ @ l@  V o  V r@@ gȠ$kind
P̐@@ @ mk]@ ma@  w   w @@ s nXU@K2I@@A=J@@Z@ABCY@Y@A-H@@%G@@ABDYOK@  ,   x       !@@AM K@  ,   x       @ @@\@ m]@ m^@ mB[ "K@  ,   d @A] $K@  ,   L      " +@@Ab )K@  ,   4       @ =@@]@ m]@ m^@ mBp 7K@  ,   (    u@@At ;KA  ,       w   w @AʐA{ @A@A@?BC>DJ
  ,     	 w }@@A 
J@  ,    ° 
 4 :  4 J@ @@\@ m]]@ mUB%level
L@@ @ l]@ l@ #   $  @@ #ty1
M @@ @ l]@ l@ /   0  @@  #ty2
N @@ @ l]@ l@ ;   <  @@ à#ty'
O @@ @ l]@ l@ G   H  @@   @5G@@AB@@A@J@@A/H@@%I@@ABCDJ@  ,    M Z L U@@&AE JA  ,     `   a  *@A-BL @BCDI  ,      k  @A7A@  @@  ,    $ o P  p P @A<A@ " !@@  ,    ) t P @A@A@ & %@@  ,    -	@BA` (K@  ,    / z   {  @@GAe -K@  ,   t 4   &@@KAi 1IA  ,   p :      @ARBo 9>;@8@ABCH  ,   \ E      @h^B{ EJ)@)(BC$G@  ,   L O   A@@fA LG@  ,   @ S   E@@jAi P:F@  ,    W  n po@@nAm T@<@A:@B98C4*EA  ,    a  G R  G j@AyBx `C@@@AC?5D  ,    k  G I@@@ hD@  ,    o T - 6 T - Q@@5Ctype.unify_row_fieldA #env[@ Q@  8 L  8 O@@ D&fixed1[@ S@  8 P  8 V@@ E&fixed2[@ S@  8 W  8 ]@@ F#rm1[@ S@  8 ^  8 a@@ G#rm2[@ S@  8 b  8 e@@ H!l p[@ S@  8 f  8 g@@ I"f1 m[@ S@   8 h  8 j@@ J"f2 u[@ S@  8 k 	 8 m@@ K"f1S@@ @ T\@ S@  p v  p x@@ L"f2S@@ @ T\@ S@   p  ! p @@ M,if_not_fixed@ 8(position@@ @ TY\@ T *@@ @ T[\@ T0@@ @ T/\@ T@ @ T \@ T@@ @@ @ T<\@ T8@ @ T(\@ T9A @ T:\@ T'@ @ T)\@ T@ @ T\@ T@ V   W  @@ N%first2@@ @ T\@ TX[@ T@ @ T\@ T@ i r x j r }@@ "T&secondE@@ @ T\@ T^[@ T@ @ T\@ T@ | r  } r @@ 5U,either_fixed @@ @ T\@ T@      @@ AV <@N@@AH@@IB@@ABJA@@CL@@AG@@BCF@@~K@@AC@@E@@AD@@<M@@ABCD@ D@@A C@@ B@@ABXp@@q@@ Q@@ABC W@@ P@@A 
V@@ R@@ I@@ABCD ~[@@+h@@Ae@@ 4O@@AB _@@Ql@@ Z@@ABCEo@@n@@ _U@@ABg@@ c@@ T@@ABCk@@j@@ X@@ABm@@ Y@@A K@@ 'L@@ABC Ja@@ ld@@A G@@ EE@@A !F@@BCDEFv@@i@@A M@@ J@@ABxs@@ S@@ OH@@ABC ^@@ `@@ N@@ABDTu@@w@@Aut@@r@@AB \b@@f@@A 
D]@@ 
\@@ABCEG@ @@A @@ @@AB @@f @@ACR @@ @@A: @@!@@@ABDN@  ,    ް )8   *8  @ ;@@\@ _]@ _uB"c1UU@@ @ Uf@ N   O  @@  Y#tl1I A@@ @ Uh@@ @ Ug@ \   ]  @@  Z"m1UF@@ @ Ui@ f   g  @@  ["e1UEUCUB@@ @ Ul@@ @ Uk@@ @ Uj@ x   y  @@  1\"c2U@@ @ Uw@      @@  ;]#tl2I u@@ @ Uy@@ @ Ux@      @@  I^"m2Uz@@ @ Uz@      @@  S_"e2UyUwUv@@ @ U}@@ @ U|@@ @ U{@      @@  e`$redo @@ @ X5]@ X%@      @@  qb#tl1  _@@ @ ZI]@ Z1@@ @ Z>]@ Z+@      @@  e#tl2  q@@ @ Zk]@ ZS@@ @ Z`]@ Z,@      @@  f$remq@-  @ Z]@ Z@@ @ Z]@ Zs@ Ӡ@@ @ Z]@ Zu Ơ@@ @ Z]@ Zt@ @ Zv@ @ Zw^@ Zr@      
@@  g$tl1' Ӡ @@ @ Z]@ Z@@ @ Z]@ Z@      @@  k$tl2'  @@ @ []@ Z@@ @ Z]@ Z@ "   #  @@  l$tlu1  ]@@ @ [W]@ [@@ @ [-]@ [@ 5    6   @@  m$tl1' @@ @ [.]@ [
@ C    D   @@  n$tlu2! }@@ @ []@ [a@@ @ [s]@ [@ U!  % V!  )@@ !o$tl2' @@ @ [t]@ [@ b!  * c!  .@@ !p!e  VD@@\@ ^\@ ^[@@ @ ^\]@ ^T@@ @ ^Y]@ ^P@ z5   {5  @@ !3x#f1'VR@@ @ ^j]@ ^`@ 6  % 6  (@@ !?y#f2'V^@@ @ ^]@ ^a@ 7 P Z 7 P ]@@ !Kz !F@B`
F]@@AZO@@B'V@@@c@@A=R@@S@@ABC@@A@0d@@AB@'e@@A@@ABCD@WP@@AB$T@@
W@@Z@@ABC@@A@XqQ@@AB^[@@YEU@@Asa\@@_@@b@@ABCDEF)e@  ,    ! 8  @@A !@e@  ,    ! 7 P ` 7 P @AA@ ! !@@  ,   @ ! 6  + 6  O@A#A@ ! !@@  ,     ! 6  !@@'A !NV@WVBROCDK7F@c@  ,    ! 5   5  @A1A@ ! !@@  ,    ! 0 ^ d 4  @ @@\@ ^O]@ ]<B !d^@^@ABZYCoDbNFWb@  ,    ! 0 ^ n 4  @A;Ctype.unify_row_field.(fun)A@ ! !@@  ,    ! +   	/ P \@ @@\@ ]]@ ]+TB !b@  ,    !ɰ +   / P W@AA@ ! !@@  ,   ` !ΰE@@]A ! b@  ,   X !Ѱ ( N X ( N v@ 0@@\@ ]]@ \-]@ \jC"tu Z@@ @ \`@ [@ 1' ) 2 2' ) 4@@ !s !;|vso@m@Ak@c@@ABCDEF)c@  ,   < !$@A !c@  ,   , ! B#   C#  @@A !Kb@  ,    ! G&   H&  (@+]@ \CB#tu1 @@ @ [@ V$   W$  @@ "q$tlu1  < @@ @ [@@ @ [@ d$   e$  @@ "r "n@d@A@#c@@ABCDEF^d@  ,    "* u&  
 v&  @@F[@ U	[@ b[@ `[@ \F[@ Yo@_@ \YǐB7 "5e@  ,    "< &  @@ @3^@ \6@@_@ \D_@ \u_@ \kאBG "E-d@  ,    "LP@AI "G/d@  ,   h "N " a g@@Ae "Kb@  ,   T "R !  2 !  ]@\K@ @ []@ [rBn "X@@A
BCD
@@ABCDE	_@  ,   D "i !  A !  X@@ @@^@ [ @@^@ [@^@ [A "q`@  ,    "x        @@ @ []@ [,B "~@2B-,CBD5!/@@
@ABCDE.\@  ,    "        @@ @@^@ [T !@@^@ [S@^@ [R(A "]@  ,    "    @@-A "\A  ,    "      @A4B "$VBP8N82@0@ABCDEO[  ,    "      @BB "2dP^F\@E@>@ABCDE]Z@  ,    "    5@@MA "
Z@  ,    "    9@@QA "@rrp^\@[@ABCoDEkYA  ,    "Ͱ        @A^B "̰Nzbx@a@X@ABCDEy
X  ,    "ڰ  %    &  @hlB "ڰ\p@mBCDEW@  ,    "  1  ^@@vA "	W@  ,   0 "  5 m   6 m @@{A "W@  ,   ( "  : m sg@@A "W@  ,    "  >    ?  @@A "@GW@@AJBCbD@@@ABC DE8W@  ,    #  O    P  5@ a@@_@ Y`@ YlB"t1 G@@ @ Y@  a    b  @@ #c"tl !G T@@ @ Y@@ @ Y@  o    p  @@ #(d ##2,@Y@@ABX@@[BCDEgY@  ,    #3  ~  $    2@@$[@ X@a@ YɐB. #7Z@  ,    #>:   7 ]@@A2 #;Y@  ,    #B        @ @@_@ YX`@ YV`@ YFېA@ #I&Y@  ,    #P@AB #K(Y@  ,    #R    @@AF #O,Y@  ,   l #V        @  @@ @ Y_@ X@@ @ YBo #_hEV@  ,   D #h   B v   B @@@c@ XA{ #kV@  ,     #r   B _   B n@@@c@ XA #uV@  ,    #|    @@A #yV@  ,    #  
    
  @@q@sT[@ R^@]@ X@]@ XA!fX@@ @ WO]@ WF@   h t   h u@@ #a #T@V@AW@@V@ABSPCDLEAY@  ,    #        @ @@\@ W]@ W8B! #W@  ,    #        @ 
@@\@ W]@ WDB- # W@  ,   t # !
  @@IA1 #$W@  ,   p # ! h x !	 h @ANA@ # #@@  ,   < #° !
 h  ! h @ASA@ # #@@  ,   0 #ǰ !	  L !  @@XA #fV@  ,   $ #̰ !	  % !	  4@[@@^@ W*aA #pW@  ,    #ְ !!	  7 !"	  F@`@ W:jA #yV@  ,    #߰ !*  W@@oA #}V@  ,    # !.   !/  @@tA #V@  ,    # !3  `@@xA #V@  ,   \ # !7?   !8F   @A5A@ # #@@  ,    # !<?  @@A"tlM 0@@ @ U@@ @ U@ !K>   !L>  @@ $}"e1Y*Y(Y'@@ @ U@@ @ U@@ @ U@ !]>   !^>  @@ $~"t2 M@@ @ U@ !g>   !h>  @@ $  $@LS@@A@B%U@@ABCD@@AB@T@@A>V@@@ABCDEkV@  ,    $7 !Q   !Q  @AA@ $5 $4@@  ,    $< !Q  @@A̠"e1YeYcYb@@ @ V@@@ @ V?@@ @ V>@ !P \ u !P \ w@@ $Q $L@
OTMS@@A@BU4BCD3@@ABCEU@  ,   $ $d !:   !:  @AA@ $b $a@@  ,    $i !:  @@A"e1YYY@@ @ U@@ @ U@@ @ U@ !9   !9  @@ $~{ $y@.@AS+[B?>C:7D3'E(S@  ,    $ !S  
 !S  ,@AA@ $ $@@  ,   l $ !S  @@A"e2YYY@@ @ Vw@@ @ Vv@@ @ Vu@ !R   !R  @@ $ $@^VQaUPdPO@@A!R@@l@ABkjCfcD_^ETR@  ,    $ ! t  "  t @@EAD $@sTP@Az@ByxCtqDmlEbP@  ,    $° "
H 5 O "O R [@AA@ $ $@@  ,   l $ǰ "H 5 ;@@WAY"t1 @@ @ V
@ "G   "G  @@ $"tlN @@ @ V@@ @ V@ "+G  ' ",G  )@@ $"e2Z
ZZ@@ @ V@@ @ V@@ @ V@ "=G  . ">G  0@@ $ $@RQQ@AS@@@ABCDB@@A:R"t1P@@6T@@ABCEBT@  ,    % "Y 8 d "Z 8 s@@A H@@ @ U#@ "b 8 J "c 8 L@@ %W"t2 R@@ @ U/@ "l 8 ] "m 8 _@@ %%X % @QQ@A@BCD-@@A*@R@@ABCEiR@  ,    %5 "< E _ "< E ~@A~A@ %3 %2@@  ,   t %: "< E K@@Aʠ"e2ZcZaZ`@@ @ U@@ @ U@@ @ U@ ";  > ";  @@@ %O| %J@JO@@AP@@@ABC

DEP@  ,   8 %[ "=   "=  @@A %YN@  ,    %` " $ &@@A %]!N@  ,    %d " 	  " 	 @@A %b&N@  ,    %i " 	 @@A %f*N@  ,    %m "   "  @@A %k@.@A,@B)&C"!DM@  ,    %w "    "   @@A %u
M@  ,    %| "  
@@A
 %yM@  ,    % " r  " r @AA@ %~ %}@@  ,    % " r  " r @AA@ % %@@  ,    % " r t@@A %C@?@A><BC:@8@8@ABD5K@  ,    % "   " N nAA	"Ctype.unify_row_field.if_not_fixedA@ ELF          >    p.      @                 @ 8 
 @         @       @       @                                                                                                                                                      4      4                    `       `       `                               z                  4                         {                                             8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd   e      e      e      |      |             Qtd                                                  Rtd   z                                     /lib64/ld-linux-x86-64.so.2              GNU                     GNU Dikcܙu2         GNU                      I         
  I   K   N   (emPvbA92                                                                                        <                     F                                                                 F                     n                                            N                                                                                      !                                                               q                     
                     X                     T                                                                                    c                     W                     |                                          v                                                               
                     ^                                          Z                                                                                                          5                     8                                                                                       '                     .                                                                                                                              (                     j                      F                                                                                                         |                                                                                                          k                     O                     c                     ,                                            h                                          M                                          8    h               "                       `             w  !  `                              d    p             ?                  _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable scols_line_set_data scols_new_table scols_table_enable_json scols_unref_table scols_table_enable_noheadings scols_print_table scols_column_set_json_type scols_line_refer_data scols_table_set_name scols_table_enable_raw scols_table_new_column scols_table_new_line scols_init_debug fgetc optind getpagesize program_invocation_short_name dcgettext __stack_chk_fail __printf_chk free __assert_fail strdup strspn munmap ferror fflush strtod strtoumax strtol strndup strlen __ctype_b_loc __vasprintf_chk stdout optarg realloc _exit bindtextdomain __fprintf_chk localeconv open strcspn malloc __libc_start_main strtold stderr mincore strncasecmp __ctype_tolower_loc warn __cxa_finalize setlocale strchr close fputc fputs __snprintf_chk strtoul memcpy fileno strcmp strtoimax __errno_location getopt_long mmap fstat strncmp warnx errx __progname __cxa_atexit libsmartcols.so.1 libc.so.6 GLIBC_2.3 GLIBC_2.33 GLIBC_2.8 GLIBC_2.14 GLIBC_2.4 GLIBC_2.34 GLIBC_2.3.4 GLIBC_2.2.5 SMARTCOLS_2.27 SMARTCOLS_2.25 SMARTCOLS_2.33                                                	       
                                            ii
                ii
  
        	      ii
                ti	        ui	                                           *                   P/                   /                    b      @             b      `              b                   `                   `                   'b                   ,b                    0b      8             (d      @             6b      X             ;b      `             Lb      x             Qb                   [b                   Pd                         ؏                             
                    +                    C                    J           `         K           h         I           p         N                    O                    M                                                   ȍ                    Ѝ                    ؍                                                                     	                                                             
                                                                        (                    0                    8                    @                    H                    P                    X                    `                    h                    p                    x                                                                                                                                  !                    "                    #                    $           Ȏ         %           Ў         &           ؎         '                    (                    )                    *                    ,                     -                    .                    /                    0                     1           (         2           0         3           8         4           @         5           H         6           P         7           X         8           `         9           h         :           p         ;           x         <                    =                    >                    ?                    @                    A                    B                    D                    E                    F           ȏ         G           Џ         H                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           HHo  HtH         5m  %m  @ %m  h    %zm  h   %rm  h   %jm  h   %bm  h   %Zm  h   %Rm  h   %Jm  h   p%Bm  h   `%:m  h	   P%2m  h
   @%*m  h   0%"m  h    %m  h
   %m  h    %
m  h   %m  h   %l  h   %l  h   %l  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  h    %zl  h!   %rl  h"   %jl  h#   %bl  h$   %Zl  h%   %Rl  h&   %Jl  h'   p%Bl  h(   `%:l  h)   P%2l  h*   @%*l  h+   0%"l  h,    %l  h-   %l  h.    %
l  h/   %l  h0   %k  h1   %k  h2   %k  h3   %k  h4   %k  h5   %k  h6   %k  h7   p%k  h8   `%k  h9   P%k  h:   @%k  h;   0%k  h<    %k  h=   %k  h>    %k  h?   %k  h@   %zk  hA   %rk  hB   %jk  hC   %k  f        AWfE1AVE1AUE1ATL%e  UH-<  SH;  H  |$    Ht$H5<  dH%(   H$  1D$XH5;  H\HHz?  =H=6  q/  D$ D$ Ht$|$ E1LHp   J(8  HcHfA        L5k      A        Hj     H5:  1   H
:  HH11FD$UD$KD$ 9j    H=   ufo@?  H     )j  Mt*LR	     LH
  H5i  g#    1HD$0H  H\$0t$HApAHt$H߉T$`C6B    D		    		AԈT$;T$`A8  D|$;E1H-Yd  AH=      D|$Ll$0M     IL;=  snD	  LHHHP@H0IH  EtDv	  tt   L1L뎀|$ t܋h  D$ E19P  kE1LcDl$<LLD$HHD$(D  HL$H1HHD$H1Aƅ  Ht$pUA  $   %   = @    L$   M  D1H|$01L$   gHH  E1H=   tnDf           uJD$;t  H|$HLH5m9  1Y  HT$HLH  IL;%  r@ g  L$ g  9Dl$<H\$0HHH$  dH+%(   `  H  D[]A\A]A^A_    uHT$HD$;   H|$HH58  1  >HT$LH9H|$HHH58  1l  HT$HLH   H57  11Ht$H13D AETAD$<   D@L1A  HD$HH1-  HD$HzDt$$1E1 HD$(LDD$$ML)   H9HO11HEIHc  1HHLHt$HAHJf  Aax]E~7DH.f  HHHAMH)@ BtB HHH9uHLIM9JDt$$E17   H56  1mHt$H1 tDt$$AD   H5w6  11'Ht$H1D;D AX1   H56  H1SHd     H58  1H=e     HH1`   FHd     1H54  L%e5  HHH-sd  1   H54  `H   HH1   1H54  8HH   1H5G6  HH   1H5Y6  HH   1H56  HHs   1H56  HHU   1H56  HH7H޿
   z1   H53  w1   H53  HaIL3  H3  HH53  1   Z1   H53  'H-]     HH1L   Hu   1H HMLHI   1L9uκ   H53  1   H3  H11E   1Dt$$H53  Ht$H1D6H|$0H53  A      H55  1=   H1   H55  ܺ   H53  κ   H55  f.     D  1I^HHPTE11H=Ga  f.     @ H=a  Ha  H9tH&a  Ht	        H=qa  H5ja  H)HH?HHHtH`  HtfD      =a   u+UH=`   HtH=`  9dea  ]     w    AVIAUIATUH-[  S1Le LLLuC<, t<HH Huպ   H5V0  1LH1[]A\A]A^Éff.     H   HT$0HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   dH%(   HD$1H$   HHHD$   HD$ $   D$0   HD$xHT$dH+%(   uH   H5x/     1EHx HcH;=  sRHU_  $HH
A4  b   H5C/  H=Q/  H
"4  d   H5$/  H=O1  H
4  c   H5/  H=/  ff.     USHH-_  >     HH   	u>H-'_      HyuHtYf     ;	u;H[]@  t   H5.  1   H1fD     fD  Hxxt@ H CH3$ H1fqH    1HuG/uH</t1҄t0H   Gt</t   HHt/uHHD  =j]  f     AWAVAUIATIUSHHHT$dH%(   HD$81H    {HM  Am @  ,HI@DA tL     PHHDQ u@-      Ht$01LHt$(HD$0    1L|$0HD$HƋM9i    M8  HD$    E1A? "  fAG<i   ߀B  A   %H  H8H  H|$ VH|$ H  A?   H|$ HL]  I/HH<0u fD  HHEH<0tAA)AIDB  IHl$0AG<i@AG<BIA >     A   E?H-o0  HDH  H)x  HD$IcH  O!    HD$HH  HD$HHD$u1HD$Ht8H|$ f  A   fD  LHHu	L΃uH|$
O     
   D    HHD$HHHT$E  I1IH4HD9X  I9sHD$IHHT$܅uJ@    HD$8dH+%(     HH[]A\A]A^A_    HVHQ؉y@     Ht$(1HHD$0    2L|$0HD$I9mt9Ht$HVHwMYA? Jf H|$ u HD$1I$$H-B.  DHHH)Hǃ    H4H|$HH9[zfD  IA   HD$Hl$IH1HHIHHLT$H)HIOMHtH9r1H1HLHHD$H	wHD$I$jA  
   HD$H11ɉ{ff.     1f     AUIATIUHSHHuCfD  H DXtH] uMtIm I9s'1}  H[]A\A]HtH        1ff.     AUIATIUHSHHuCfD  H DXtH] uMtIm I9s'1}  H[]A\A]HtH        1ff.     AUATIUSHHXHT$0Hl$ HL$8LD$@LL$HdH%(   HD$1H$   $   HD$Hl$O@ эBHt
 $H   /   H$L(MthHt<LHt2$/vHT$H2HBHD$Ht/HPHT$@    HT$dH+%(   u,HX[]A\A]Ë=*V  HL1H5-+  HD$Jf.     HtHfD  8tHH9tu1f     Hff.     AUIATAUSHHdH%(   HD$1H$         HtU; tPHDHHU IE u4H$H9t+Ht8 u!HD$dH+%(   uH[]A\A]@ d@ AVAUIATAUSHHdH%(   HD$1H$    >     Ht%; t IDHHLHy5E "   f     HD$dH+%(   uEH[]A\A]A^ÐE     DLHU IE uH$H9tHt8 tfD  SHHdH%(   HD$1Hpu"H$   HH t*e "   HT$dH+%(   uH[@ '    SHHdH%(   HD$1HuH$HH t/ "   HT$dH+%(   uH[f         AUMATIUHՉSHHdH%(   HD$1HH$    Hut)|=&S  8"t8HHH5&(  1}D  H$Mt/L9}*E=R   "   HHH5'  1D  MuHT$dH+%(   uH[]A\A]L9~@ ATIԉUHSHHdH%(   HD$1HH$    HJu^Ht1H$H9s0=MR   "   HLH5L'  1 u$H$HT$dH+%(   u4H[]A\    S=Q  8"tHLH5&  1Tff.     @ ATIUSHHdH%(   HD$1H$    =Q       Ht; uHLH5&  1 HHH:E u3H$H9tJHt8 u@HD$dH+%(   u;H[]A\    =*Q  "uHLH5*&  1=
Q  v@ATIUSHH dH%(   HD$1HD$    $=P       Ht; uHLH5%  1f.     HHt$HE u9HD$H9tWHt8 uU\$D$HD$dH+%(   uJH []A\@ ؋=HP  "uHLH5H%  1    @ ؋=P  ULff.     ATIUSHHdH%(   HD$1H$    %=O       Ht; uHLH5$  1 Hź
   HHU u.H$H9tEHt: u;HT$dH+%(   u6H[]A\f=ZO  "uHLH5Z$  1=:O  vpATIUSHHdH%(   HD$1H$    U=N       Ht; uHLH5#  1K Hź
   HHUU u.H$H9tEHt: u;HT$dH+%(   u6H[]A\f=N  "uHLH5#  1!=jN  vUHSHHdH%(   HD$1Ht0=-N  HH H50#      t{ H$HT$dH+%(   uH[](     SHHH|$D$fD$l$<$l$,$H$H
"  l${l$H[ff.     @ HE11ɾ
   ff.      AUH   ATUS @       ty       `                   I   	   A   A   A   A         A   CfD  l   
Lj
   	   A         A   A   A   A      ɃểrAM    ɃᶃwB"@   s* ɃểrɃᶃwBt{sBɃểrB
ɃᶃwBt/t[]:HA\A]2  ᵃxaD  ൃx ᵃxD  d   fD  b   fD  c   fD  s   fD  p   sfD  -   cff.      ATHUSH@dH%(   HD$81LD$@t
D$ LD$H  c  H   H?  HH(  HH2  HH9Ƀ
2H9
<ẢIL
  H#AA <BX  @N    MPfA@HHA HHHAH!tQHK7A H9   Hi  H   HHHHHHd   H   Ld$H       HD$L      LP1XZLuHT$8dH+%(     H@[]A\     B   AfA8fH
NHi  HMHP2HH(\(HHHHHHHHd;DM;f     MP    H  HtHH   : H  HDLd$S        RAL     L1Y^Hc؍Cw^HcЀ|0tmHl$HH   I<H)H9HGAȅt1t @4D9r fD  D$ 
      D Hc뉹         (   p(   2   aH  ff.     @ H   AWAVAUATUHSHH   HIIH   M   E11fD  t"HI9sSHCHD,uI߄uL{L9saLH)AԃtSCD A? INt,SHt I1I9rH[]A\A]A^A_fH[]A\A]A^A_    H[]A\A]A^A_øff.      HtRSHHt?t;LLL9r0<+tH    ~HcH[@ HL)J4 [ø HAVHAUATUHS   HH   IA   tgD  SH<,ttHS<,uI݄uLkL9sCLH)Յx+DHcA<A}  tCHu1[]A\A]A^ []A\A]A^øff.     AUATIUSHHH   HH   ItZf     SH<,ttHS<,uH݄uHkH9s3HH)AHxI	E }  tCHu1H[]A\A]fH[]A\A]øf     AWAVAUATUSHdH%(   HD$1H$    HtkHIHՉ
A     ;:ItRI
   HLAE AE    H$H   H9   :to-tz1AfD  HH
   H|E AU uyH$Htp: H9	HT$dH+%(   uTH[]A\A]A^A_fD  x u
De 1fH$    HX
   LAE     {    ff.     AWAVAUATUSH(dH%(   HD$1H   HH   Ll$Ld$/HHupM9ukLHHmuYJ<3LL*HLHLt$L|$HLLtHuHt;/tHt} /u@    1HT$dH+%(   uH([]A\A]A^A_f.     HH	   AWAVAUIATIUSHHHtxH   zIHM   IIHt}HHHI<.LLC> HL[]A\A]A^A_fD  H=s  @ HLH[]A\A]A^A_    H[]A\A]A^A_E1     U1HSHHHtHHHHH[]UHSH   HT$@HL$HLD$PLL$Xt:)D$`)L$p)$   )$   )$   )$   )$   )$   dH%(   HD$(1H$   H1HD$HL$HD$0   H|$D$   D$0   HD$ xHt$HHc.H|$HHD$(dH+%(   u
H   H[]ff.     @ H   AVAUATUSHHtM> tHL7HMtOLoHIdLItI4Ht8HE J<(IT$H1[]A\A]A^    HHE Huݸظf.     HHtat\t#9tPHu1         PHHt9tPHu1f     \uHfD  AWAVAUATUSH8HHt$dH%(   HD$(1; U  IHHHAHD+E-  E   AH=-  tHk  sHCDl$&D$' HD$@  HD$&HSE1E1HD$>D  @\   H|$H$H$Hk  2HA@   EtE1D  HH}HL$L4HM4$HD$(dH+%(   2  H8H[]A\A]A^A_    A        A)HD$McL0IAtHlHu    I$1     DD)HcHDH|$H A8u҄tLlAu @t
HHtM,$H\$7@ L{E118D  A\t:AH$HEE/IAE-҉$t1f   f     IcHDQHD$1EBfSHf.     
tHu   [    1[ff.     AUIATUHSHEe EtDfD  HAHBu)EeIEu] HtH Xu:] HuEtYLH BtF1)H[]A\A]    Et;HBt>8z)fD  1H[]A\A] H H[]A\A]ɉfD  H;  1R  HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         unknown column: %s cannot allocate string misc-utils/fincore.c num >= 0 (size_t) num < ncolumns write error /usr/share/locale util-linux %s from %s
 util-linux 2.38.1 
Usage:
  %s [options] file...
 
Options:
 display version display this help  -V, --version  -h, --help %-23s%s
%-23s%s
 
Available output columns:
  %11s  %s
 
For more details see %s.
 fincore(1) bno:JrVh no file specified fincore failed to open: %s failed to do fstat: %s failed to do mmap: %s failed to do mincore: %s %jd %ju failed to add output data bytes noheadings output json raw PAGES SIZE size of the file FILE file name RES  columns[num] < (int) ARRAY_SIZE(infos)   -J, --json            use JSON output format
   -b, --bytes           print sizes in bytes rather than in human readable format
        -n, --noheadings      don't print headings
     -o, --output <list>   output columns
   -r, --raw             use raw output format
   Try '%s --help' for more information.
  failed to allocate output table failed to allocate output column        failed to allocate output line  file data resident in memory in pages   file data resident in memory in bytes   BBL    get_column_id                KMGTPEZY kmgtpezy %s: '%s' . BKMGTPE %d%s%02lu %d%s '"   $tIiB  ;|  .              `H  0d       P  `(  x         @   T    p    P   X        (  `\    @  `     D    p  @8     P  @ 	   	  P	  P
  X
  `l
  
   
   8             zR x      P"                  zR x  $      иP   FJw ?;*3$"       D              <   \   t    BEE A(H0S
(A BBBA             G
A          Dc
A  (      8/   AAD c
AAE P      L	   BIE E(H0H8NP
8D0A(B BBBH          T  [          h  4       L   |  0%   BBB E(D0A8DH
8C0A(B BBBH               8     t    BED D(D0C
(A ABBA 8     Pt    BED D(D0C
(A ABBA 8   X     BBD A(G
(A ABBA     x4       8         BED A(G@p
(C ABBE @         BBE D(A0G@o
0C(A BBBB     (  i    AG R
AE     L  i    AG M
AJ 8   p  ,    BED F(G@
(A ABBA 0         BFD G0y
 AABH 0     \    BDA G0
 AABH 0         BDA G@
 AABE 0   H      BDA G0
 AABC 0   |  `    BDA G0
 AABC (     x    ADG0d
AAA      PQ    AJ DA            4     B   DMA A(
 AHBH  L   H  A   BDA D`@h_pHhA``
 AABIhKpZhA`   |        KBB B(A0D8G@
8F0A(B BBBCD
8C0A(B BBBHD8F0A(B BBBA       D]    Fu
EVA   L   <      EHB A(I0
(A BBBDA
(F BBBA L          BBD A(D0
(A ABBCD
(F ABBA   H     pD   BBB B(A0A8DP
8A0A(B BBBG H   (  t    BBB B(A0A8D`
8A0A(B BBBA    t      NBB E(D0A8G@Y8D0A(B BBBGP@D
8G0A(B BBBLD
8A0A(B BBBE  $     \/    AFG TGA (   8  d    ADG
DAAD   d  8    KBB A(A0X
(A BBBHX        j       H     ^   BBB B(A0A8Dp
8D0A(B BBBH   	   4    Ag
HC \   ,	       BEA D(D0z
(A ABBHv
(A ABBDP
(A ADBA    	                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             P/      /      b                      b       b                      n        b                     o       `                      V       `                      h       'b                      J       ,b                      r                                       0b            ?       (d      6b            @       ;b      Lb            @        Qb      [b            @       Pd                                               
       T                                                            o                 `                   
       9                                                       `                                                           	                            o          o    @      o           o          o                                                                                                                 6       F       V       f       v                                                               !      !      &!      6!      F!      V!      f!      v!      !      !      !      !      !      !      !      !      "      "      &"      6"      F"      V"      f"      v"      "      "      "      "      "      "      "      "      #      #      &#      6#      F#      V#      f#      v#      #      #      #      #      #      #      #      #      $      $      &$      6$      F$      V$      f$                                                                                                           /usr/lib/debug/.dwz/x86_64-linux-gnu/util-linux-extra.debug q♽dT~696b63dc9918087596af159dfbaef5b6a1f032.debug    pA .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .init_array .fini_array .data.rel.ro .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                       8      8                                     &             X      X      $                              9             |      |                                     G   o                   @                             Q                                                   Y             `      `      9                             a   o                                               n   o       @      @                                  }                                                          B                   `                                                                                                                  P                                         p$      p$                                                $      $      0                                          T      T      	                                            `       `      ~                                          e      e      |                                           g       g      	                                                z                                                      z                                                        z                                                       {                                                     }      `                                                       D                                            `      D      h                                                   D      P                                                         4                                                    Ȁ      &                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             ELF          >    @*      @       p          @ 8 
 @         @       @       @                                                                                                                                                      >      >                    `       `       `                               y                        @                   {                                             8      8      8                                   X      X      X      D       D              Std   8      8      8                             Ptd   g      g      g                         Qtd                                                  Rtd   y                                     /lib64/ld-linux-x86-64.so.2              GNU                     GNU 	7}qr[Y#m         GNU                      D         
  D   F   I   (emPvbA9                                                                                            6                     F                      H                     {                                           V                     @                     ]                                                                                                             
                                          0                                          a                                                                                                         Q                     k                                          e                                                               P                     Z                                                                6                     l                                                                                    )                     !                                                                                       "                                          t                                                                                    j                      @                                                                                                                                                                                                                   S                     ,                                            +                                          
                     2                   "                   p                 a  !                                 9                   _ITM_deregisterTMCloneTable __gmon_start__ _ITM_registerTMCloneTable scols_line_set_data scols_new_table scols_table_enable_json scols_unref_table scols_table_enable_noheadings scols_print_table scols_column_set_json_type scols_line_refer_data scols_table_set_name scols_table_new_column scols_table_new_line scols_table_enable_export fgetc strverscmp program_invocation_short_name dcgettext __stack_chk_fail __printf_chk free exit __assert_fail strdup __getdelim strspn memmove strtod strtoumax strtol fopen strndup strlen __ctype_b_loc __vasprintf_chk strstr stdout optarg realloc strcasecmp __fprintf_chk localeconv strcspn malloc __libc_start_main strtold stderr strncasecmp __ctype_tolower_loc warn __cxa_finalize setlocale strchr calloc fclose fputc fputs __isoc99_sscanf __snprintf_chk strtoul memcpy strcmp qsort strtoimax __errno_location getopt_long strncmp warnx errx __progname libsmartcols.so.1 libc.so.6 GLIBC_2.3 GLIBC_2.8 GLIBC_2.7 GLIBC_2.14 GLIBC_2.4 GLIBC_2.34 GLIBC_2.3.4 GLIBC_2.2.5 SMARTCOLS_2.27 SMARTCOLS_2.25 SMARTCOLS_2.33                                               	    
                                     ii
        ii
        ii
  
        	      ii
                ti	        ui	           {                                                   +                   *                    `                    `      @             d      `             af                   `                   `                   r`                   ]`                    zd      8             d      H             ~d      `             if      p             d                   uf                   d                   Vd                                       e      (             e      0             5f      8             Kf      @             e      H             e      P             e      X             e      `             e      h             e      p             e      x             f                   f                   Pg                   f                   "f                   3f                   ;f                   Yf                   ]f      Џ                    ؏                             +                    ?                    E                    F                    D                     I                     H           ؍                                                                                                                                                      	                    
                                (         
           0                    8                    @                    H                    P                    X                    `                    h                    p                    x                                                                                                                                                                                                         Ȏ         !           Ў         "           ؎         #                    $                    %                    &                    '                     (                    )                    *                    ,                     -           (         .           0         /           8         0           @         1           H         2           P         3           X         4           `         5           h         6           p         7           x         8                    9                    :                    ;                    <                    =                    >                    @                    A                    B           ȏ         C                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   HHo  HtH         5m  %m  @ %m  h    %m  h   %m  h   %m  h   %m  h   %zm  h   %rm  h   %jm  h   p%bm  h   `%Zm  h	   P%Rm  h
   @%Jm  h   0%Bm  h    %:m  h
   %2m  h    %*m  h   %"m  h   %m  h   %m  h   %
m  h   %m  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  h    %l  h!   %l  h"   %l  h#   %l  h$   %zl  h%   %rl  h&   %jl  h'   p%bl  h(   `%Zl  h)   P%Rl  h*   @%Jl  h+   0%Bl  h,    %:l  h-   %2l  h.    %*l  h/   %"l  h0   %l  h1   %l  h2   %
l  h3   %l  h4   %k  h5   %k  h6   %k  h7   p%k  h8   `%k  h9   P%k  h:   @%k  h;   0%k  h<    %k  h=   %k  h>    %k  f        AWfE1L=>  AVL5e  AUL-<  ATA   UH    SHhHt$H5a<  dH%(   HD$X1L$HD$P    )D$ )D$0)D$@D$    L$HD$    fHt$E1LLDL$Ã*  IL$  H>  J   f9   BHt
9}f     J)   IcL D$   { L$PnfD  L$P^fD  H5k  H|$ L$  L$:f.     Hik  HD$    L$PfD  H!k     H5I:  1   H
B:  HH1e1fD  EuSI!JI	)Hj     H5<  15H=j     HH1   rfD9Hj     H5:  1H=j     L5=  HH1=L-j9  I^<L%d9  H-c9  AtALHCc  HH H H7  ;PuH=Dj  L   1II9uH5%j  
      H|$@ uH=  D$(   HD$@   HD$ H|$ Lt$ t+H|$Ht$ HL$@Li     I,    L$11L  HHtH1H
1HT$XdH+%(     Hh[]A\A]A^A_H!i     1H5]8  HHHh  1   H5A8  aHڿ   H1?H5h  
      H59  1+HHh  1   H57  	HH~Hh  1   H58  HHYHZh  1   H58  HH4H5h  1   H59  HHHh  1   H59  uHHHg  1   H559  PHH   1Hg  H5@9  +HHH5g  
      H56  1   H56  1HIL6  H6  HH56     1   H;g  1H56  HHH=g          H56  1v   H6  H1P1B߃]H=g  Ѿ   1HK   1I^HHPTE11H=oe  f.     @ H=Qf  HJf  H9tHNe  Ht	        H=!f  H5f  H)HH?HHHtHe  HtfD      ==f   u+UH=d   HtH=e  df  ]     w    HFH9GÐHFH9GÐHHvHHfHH6H?!H@ H   HT$0HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   dH%(   HD$1H$   HHHD$   HD$ $   D$0   HD$xHT$dH+%(   uH   H57     1u ATUHSH? t/1ېHEIHIJ| HEJ< H;] rH}H}[H]A\fD  AVAUATUSHtoIIH-F^  1Le LLLuC<4 t?HH(Huպ   H5H7  1FLH1[]A\A]A^ H
M:  _   H56  H= 7  uD  AVAAUL-6  ATIU1SH]  HuEt	H(   Hs   1HH(HKLLI   1
Hu[]A\A]A^ff.     HtvfD  ff.     @ UHSHH5k6  HHet)H5X6  HRu.HHE(H[]@ H!HE(H[]fD  H56  Ht-H56  Hu,HHE(H[]     HHE(H[]H57  1      H1ff.     @ntJ@dt2@iuHHuHG(@tuH#HG(fD      HHG(@ HHG( AWAVAUIATUSHHHdH%(   HT$81Ht5HHs Ht)HKHxH1D  HH+HTHH9u]HH  Au0HǃaAu0H@
Au0H@JAE0/     fH50  HE1H{  Ld$ L54  uh    IL;{ sW      L1MM      LHfH  AE0t1HIL;{ r1HHD$H@  AE0  E1H{  Lt$L%4  txfD  LHHC(H8 y6  k(H{( y6  LL   I
6  $${HT$HtH|$Ld1  L;{ r1HLIH  AE0  E1H{  L-^3     HC0HSIHtiLHHT
jHz y6  H$,$Hy5  H|$L   
5  $$HT$HtLLu{L;c rHD$8dH+%(      HHH[]A\A]A^A_f.     1   H5a2  -HHD  1   H54  H1[H11|1   H5L2  1LHfH|$1H2  먺   H53  11H11   H51  lH1bx     AWAVAUATI8   USHxH|$0   HT$@L$,dH%(   HD$h1HD$P    HD$X     Hu8   H5e1     1S   IVH  L$,IGH51  IG@     H=71  HD$H|$   HD$XHL$H|$P
   HHD$ H|${H  H|$PI_ H- 1  IW HxHHHSHu   H'Hu	HD  IGLd$HHL$Ht$ 
   H|$H  Hl$P:   H,HHtHI/fIHEHIoIM M Lt$PM_  LIH  HE ҈T$tM"T$LH D  VHtDP uI9sHHt$KHt$LHP*HI     HIcL)H9y  Lt$`Ll$8E1ILt$H    LH+D$PH9G  HT$1LMwH5/  ]uLHD$`HEIHIIG(IM;g rLLl$8T$,   HMcH+D$PL9  HI	D  HHHQ uU  HHE1+Eu
 A   HAHt%I} HW uHE1Hu HLIU HpDJ M  HHuH  H2HufH5.     1
f.     D$,t0Lu L-=Y  1 Iu L
  I
uH=)  HtHEIGI9&H IHIWHHHu	H$  IGH|$Ld$HH|$PI/HHHYIHu	H	  IwLHIMt>IG0    Ht1It$H   1@ I H+IT H HH9uIO0HD$0LǺ    HLD$HH(H#HHDLD$HIR  H\$0HLD$s0C0LƈD$@C0LƈD$@C0LD$  HD$01HR  H@ H   LD$Ld$0ID$ HH9s`H9y  Ic)  HLL4AVAFI6
H  AD$0tAv HHID$ H9rLD$1I? Hl$`Ll  L|$Ld$0ILl$LD$fH|$14IH  E1I|$  uS       u2HSH5+  H1HT$`HtLLg  IM;l$    HD$`    C#     tvuHH5s*  H1HT$`HcH
V  HH|HH
T-  J   H5*  H=+  @ H=*  <HD$efHSf.     HS    HD$IH L;0Ll$LD$ILH|$@    HD$@L8HD$hdH+%(   j  HxL[]A\A]A^A_H   H5+  1`H1LLD$L1L9E1H5`)  LLD$LD$>1   H5M)  H1LFH   H5#+  1H1RLD$o   H5k)  1H5=)  H1$H|$zIqIhL`H|$PV(H
j+  m   H5-(  H=*     H(  H5*  1   >H
'+  l   H5'  H=)  o   H5i(     YHH5U(     E   H5?(     /HH5+(     11   H5K(  H5.(  H1H    1HuG/uH</t1҄t0H   Gt</t   HHt/uHHD  =zS  f     AWAVAUIATIUSHHHT$dH%(   HD$81H    +HM  Am @  lHI@DA tL     PHHDQ u@-      Ht$01LHt$(HD$0    L|$0HD$HƋM9i    M8  HD$    E1A? "  fAG<i   ߀B  A   H  H8H  H|$ H|$ H  A?   H|$ HL
  I/HH<0u fD  HHEH<0tAA)AIDB  IHl$0AG<i@AG<BIA >     A   E?H-o(  HDdH  H)x  HD$IcH  O!    HD$HH  HD$HHD$u1HD$Ht8H|$ f  A   fD  LHHu	L΃uH|$
O     
   D    HHD$HHHT$E  I1IH4HD9X  I9sHD$IHHT$܅uJ@    HD$8dH+%(     HH[]A\A]A^A_    HVHQ؉y@     Ht$(1HHD$0    L|$0HD$I9mt9Ht$HVHwMYA? Jf H|$ u HD$1I$$H-B&  DH.HH)Hǃ    H4H|$HH9[zfD  IA   HD$Hl$IH1HHIHHLT$H)HIOMHtH9r1H1HLHHD$H	wHD$I$jA  
   HD$H11ɉff.     1f     AUIATIUHSHHuCfD  [H DXtH] uMtIm I9s'1}  H[]A\A]HtH        1ff.     AUIATIUHSHHuCfD  H DXtH] uMtIm I9s'1}  H[]A\A]HtH        1ff.     AUATIUSHHXHT$0Hl$ HL$8LD$@LL$HdH%(   HD$1H$   $   HD$Hl$O@ эBHt
 $H   /   H$L(MthH`t<LHQt2$/vHT$H2HBHD$Ht/HPHT$@    HT$dH+%(   u,HX[]A\A]Ë=:L  HL1H5-#  HD$f.     HtHfD  8tHH9tu1f     Hff.     AUIATAUSHHdH%(   HD$1H$         HtU; tPHDHHU IE u4H$H9t+Ht8 u!HD$dH+%(   uH[]A\A]@ @ AVAUIATAUSHHdH%(   HD$1H$         Ht%; t IDHHLzHy5E "   f     HD$dH+%(   uEH[]A\A]A^ÐE     DLHkU IE uH$H9tHt8 t&fD  SHHdH%(   HD$1Hpu"H$   HH t* "   HT$dH+%(   uH[@     SHHdH%(   HD$1HuH$HH t/ "   HT$dH+%(   uH[f     G    AUMATIUHՉSHHdH%(   HD$1HH$    Hut),=6I  8"t8HHH5&   1D  H$Mt/L9}*=H   "   HHH5  1D  MuHT$dH+%(   uH[]A\A]L9~t@ ATIԉUHSHHdH%(   HD$1HH$    HJu^Ht1H$H9s0S=]H   "   HLH5L  1S u$H$HT$dH+%(   u4H[]A\    =
H  8"tHLH5  1ff.     @ ATIUSHHdH%(   HD$1H$    =G       Ht; uHLH5  1k HHHE u3H$H9tJHt8 u@HD$dH+%(   u;H[]A\    =:G  "uHLH5*  11=G  vATIUSHH dH%(   HD$1HD$    =F       Ht; uHLH5  1f.     HHt$HPE u9HD$H9tWHt8 uU\$D$HD$dH+%(   uJH []A\@ ؋=XF  "uHLH5H  1O    @ ؋=(F  Uff.     ATIUSHHdH%(   HD$1H$    =E       Ht; uHLH5  1 Hź
   HHU u.H$H9tEHt: u;HT$dH+%(   u6H[]A\f=jE  "uHLH5Z  1a=JE  v ATIUSHHdH%(   HD$1H$    =E       Ht; uHLH5  1 Hź
   HHU u.H$H9tEHt: u;HT$dH+%(   u6H[]A\f=D  "uHLH5  1=zD  v0UHSHHdH%(   HD$1Ht03==D  HH H50      t0 H$HT$dH+%(   uH[]     SHHH|$D$fD$l$<$l$,$H$H
  l${l$H[ff.     @ HE11ɾ
   ff.      AUH   ATUS @       ty       `                   I   	   A   A   A   A         A   CfD  l   
Lj
   	   A         A   A   A   A      ɃểrAM    ɃᶃwB"@   s* ɃểrɃᶃwBt{sBɃểrB
ɃᶃwBt/t[]:HA\A]2  ᵃxaD  ൃx ᵃxD  d   fD  b   fD  c   fD  s   fD  p   sfD  -   cff.      ATHUSH@dH%(   HD$81LD$@t
D$ LD$H  c  H   H?  HH(  HH2  HH9Ƀ
2H9
<ẢIL
  H#AA <BX  @N    MPfA@HHA HHHAH!tQHK7A H9   Hi  H   HHHHHHd   H   Ld$H       HD$L      LP1/XZLHT$8dH+%(     H@[]A\     B   AfA8fH
NHi  HMHP2HH(\(HHHHHHHHd;DM;f     MP    {H  HtHH   : H  HDLd$S        RAL     L1+Y^Hc؍Cw^HcЀ|0tmHl$H7H   I<H)H9HGAȅt1t @4D9r fD  D$ 
      D Hc뉹         (   p(   2   aH  ff.     @ H   AWAVAUATUHSHH   HIIH   M   E11fD  t"HI9sSHCHD,uI߄uL{L9saLH)AԃtSCD A? INt,SHt I1I9rH[]A\A]A^A_fH[]A\A]A^A_    H[]A\A]A^A_øff.      HtRSHHt?t;LLL9r0<+tH    ~HcH[@ HL)J4 [ø HAVHAUATUHS   HH   IA   tgD  SH<,ttHS<,uI݄uLkL9sCLH)Յx+DHcA<A}  tCHu1[]A\A]A^ []A\A]A^øff.     AUATIUSHHH   HH   ItZf     SH<,ttHS<,uH݄uHkH9s3HH)AHxI	E }  tCHu1H[]A\A]fH[]A\A]øf     AWAVAUATUSHdH%(   HD$1H$    HtkHIHՉ
A     ;:ItRI
   HL_AE AE    H$H   H9   :to-tz1AfD  HH
   HE AU uyH$Htp: H9	HT$dH+%(   uTH[]A\A]A^A_fD  x u
De 1fH$    HX
   LAE     {    Lff.     AWAVAUATUSH(dH%(   HD$1H   HH   Ll$Ld$/HHupM9ukLHHuYJ<3LL*HLHLt$L|$HLLtHuHt;/tHt} /u@    1HT$dH+%(   uH([]A\A]A^A_Zf.     HH	   AWAVAUIATIUSHHHtxH   
IHM   IbIHt}HHH,I<.LLC> HL[]A\A]A^A_fD  H=  @ HLH[]A\A]A^A_g    H[]A\A]A^A_E1     U1HSHHHtHEHHHH[]UHSH   HT$@HL$HLD$PLL$Xt:)D$`)L$p)$   )$   )$   )$   )$   )$   dH%(   HD$(1H$   H1HD$HL$HD$0   H|$D$   D$0   HD$ "xHt$HHc.H|$HAHD$(dH+%(   u
H   H[]Off.     @ H   AVAUATUSHHtM> tHL7HMtOLHILItIHt8HE J<(IT$H1[]A\A]A^    H HE Huݸظf.     HHtat\t#9tPHu1         PHHt9tPHu1f     \uHfD  AWAVAUATUSH8HHt$dH%(   HD$(1; U  IHHHA}HD+E-  E   AH=-  Hk  sHCDl$&D$' HD$@  HD$&HSE1E1HD$>D  @\   H|$H$H$Hk  2HA@   EtE1D  HHHL$L4HM4$HD$(dH+%(   2  H8H[]A\A]A^A_    A        A)HD$McL0IAtHHu    I$1     DD)HcHDH|$H A8u҄tLlAu @t
HHtM,$H\$7@ L{E118D  A\t:AH^$HEE/IAE-҉$t1f   f     IcHDQHD$1EfSHf.     
tH#u   [    1[ff.     AUIATUHSHEe EtDfD  HAHBu)EeIEu] HtH Xu:] HuEtYH BtF1)H[]A\A]    Et;nHBt>8z)fD  1H[]A\A] 3H H[]A\A]ɉ  HH                                                                                                                                                                                                                                                                             sort  --%s  -%c %s from %s
 util-linux 2.38.1 
Usage:
  %s [options]
 
Options:
 display version display this help  -V, --version  -h, --help %-22s%s
%-22s%s
 
Available output columns:
 
For more details see %s.
 lsirq(1) no:s:ShJPV noheadings json pairs     %s: mutually exclusive arguments:       Utility to display kernel interrupt information.         -J, --json           use JSON output format
    -P, --pairs          use key="value" output format
     -n, --noheadings     don't print headings
      -o, --output <list>  define which output columns to use
        -s, --sort <column>  specify sort column
       -S, --softirq        show softirqs instead of interrupts
      Try '%s --help' for more information.
          x11111h11X111111111111111111111111111                        J   P                                                                                                                                  cannot allocate string sys-utils/irq-common.c name unknown column: %s   %-5s  %s
 IRQ TOTAL DELTA NAME cpu-interrupts cpu%zu failed to add line to output %irq: %0.1f %delta: cannot allocate %zu bytes /proc/softirqs /proc/interrupts cannot open %s cannot read %s CPU ./include/xalloc.h str cannot duplicate string  %10lu num < out->ncolumns %ld HI high priority tasklet softirq NET_TX network transmit softirq NET_RX network receive softirq BLOCK block device softirq IRQ_POLL IO poll softirq TASKLET SCHED schedule softirq HRTIMER high resolution timer softirq RCU RCU softirq total count delta count        unsupported column name to sort output  failed to initialize output table       failed to initialize output column      out->columns[num] < (int)ARRAY_SIZE(infos)      %s: %u: cannot allocate memory  normal priority tasklet softirq get_column_id   xstrdup         irq_column_name_to_id     _  BKMGTPEZY kmgtpezy %s: '%s' . BKMGTPE %d%s%02lu %d%s '"   $tIiB  ;  6   0  00  @H  P  @  P  `      p  8  px        P,   |    P  `  H  \          $  `  p    P   (  \        `,  X  @x  `     	  	  p	  @
   X
  P
  @
     P  P  (  `<                  zR x      p"                  zR x  $           FJw ?;*3$"       D              L   \      BPI I(I0K8DI
8A0A(B BBBA                                       DV           DT          G
A(      \Z    BAD HDB  <   L      BBB A(A0e
(A BBBD   8     u    DFI D(C0S(A BBB       4       L     @    ADQ k
AAEO
AAGu
AAIO
AAA     ,  ]       L   @     BBB E(A0A8G
8D0A(B BBBK   P     	   BBB B(I0A8D
8D0A(B BBBA            [            d       L     `%   BBB E(D0A8DH
8C0A(B BBBH      \  @       8   p  <t    BED D(D0C
(A ABBA 8     t    BED D(D0C
(A ABBA 8        BBD A(G
(A ABBA   $  4       8   8      BED A(G@p
(C ABBE @   t  8    BBE D(A0G@o
0C(A BBBB       i    AG R
AE       i    AG M
AJ 8      \    BED F(G@
(A ABBA 0   <      BFD G0y
 AABH 0   p      BDA G0
 AABH 0     (    BDA G@
 AABE 0         BDA G0
 AABC 0         BDA G0
 AABC (   @  ,x    ADG0d
AAA    l  Q    AJ DA            4     B   DMA A(
 AHBH  L     A   BDA D`@h_pHhA``
 AABIhKpZhA`   |   (     KBB B(A0D8G@
8F0A(B BBBCD
8C0A(B BBBHD8F0A(B BBBA       t]    Fu
EVA   L         EHB A(I0
(A BBBDA
(F BBBA L     0    BBD A(D0
(A ABBCD
(F ABBA   H   l  D   BBB B(A0A8DP
8A0A(B BBBG H         BBB B(A0A8D`
8A0A(B BBBA    	  H    NBB E(D0A8G@Y8D0A(B BBBGP@D
8G0A(B BBBLD
8A0A(B BBBE  $   	  /    AFG TGA (   	      ADG
DAAD   	  h    KBB A(A0X
(A BBBHX      <
  j       H   P
  ^   BBB B(A0A8Dp
8D0A(B BBBH   
  04    Ag
HC \   
  P    BEA D(D0z
(A ABBHv
(A ABBDP
(A ADBA                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          +      *      `                     s       `                      n       d                     o       af                      S       `                      J       `                      P       r`                      h       ]`                      V                                       zd      ?       d              ~d      ?       if             d      ?       uf             d      ffffff?       Vd                     {                                  
       ^                                                            o                 
                   
                                                                                                      P                   	                            o          o          o           o          o    '                                                                                                             6       F       V       f       v                                                               !      !      &!      6!      F!      V!      f!      v!      !      !      !      !      !      !      !      !      "      "      &"      6"      F"      V"      f"      v"      "      "      "      "      "      "      "      "      #      #      &#      6#      F#      V#      f#      v#      #      #      #      #      #      #      #      #      $      $                                                                                    e      e      5f      Kf      e      e      e      e      e      e      e      f      f      Pg      f      "f      3f      ;f      Yf      ]f         /usr/lib/debug/.dwz/x86_64-linux-gnu/util-linux-extra.debug q♽dT~37ed7d7172d55bbdb4a1591d2316dc6d1fb4e2.debug    0 .shstrtab .interp .note.gnu.property .note.gnu.build-id .note.ABI-tag .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .init_array .fini_array .data.rel.ro .dynamic .data .bss .gnu_debugaltlink .gnu_debuglink                                                                                                                                       8      8                                     &             X      X      $                              9             |      |                                     G   o                   <                             Q                                                   Y             
      
                                   a   o                                               n   o                                               }             P      P                                       B                                                                                                                                                                                $       $                                                0$      0$      :                                          ^      ^      	                                            `       `                                                 g      g                                                i      i      L                                                y                                                      y                                                        z                                                       {                                                     }      8                                                                                                         Ā      P                                                    Ā      P                                                         4                                                    H      &                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             #!/bin/sh
# Reset the System Clock to UTC if the hardware clock from which it
# was copied by the kernel was in localtime.

dev=$1

if [ -e /run/systemd/system ] ; then
    exit 0
fi

/sbin/hwclock --rtc=$dev --systz
/sbin/hwclock --rtc=$dev --hctosys
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    # Set the System Time from the Hardware Clock and set the kernel's timezone
# value to the local timezone when the kernel clock module is loaded.

KERNEL=="rtc0", RUN+="/usr/lib/udev/hwclock-set $root/$name"
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                _fincore_module()
{
	local cur prev OPTS
	COMPREPLY=()
	cur="${COMP_WORDS[COMP_CWORD]}"
	prev="${COMP_WORDS[COMP_CWORD-1]}"
	case $prev in
		'-o'|'--output')
			local prefix realcur OUTPUT_ALL OUTPUT
			realcur="${cur##*,}"
			prefix="${cur%$realcur}"
			OUTPUT_ALL='PAGES SIZE FILE RES'
			for WORD in $OUTPUT_ALL; do
				if ! [[ $prefix == *"$WORD"* ]]; then
					OUTPUT="$WORD ${OUTPUT:-""}"
				fi
			done
			compopt -o nospace
			COMPREPLY=( $(compgen -P "$prefix" -W "$OUTPUT" -S ',' -- "$realcur") )
			return 0
			;;
		'-h'|'--help'|'-V'|'--version')
			return 0
			;;
	esac
	case $cur in
	    -*)
			OPTS="
				--json
				--bytes
				--noheadings
				--output
				--raw
				--help
				--version
			"
			COMPREPLY=( $(compgen -W "${OPTS[*]}" -- $cur) )
			return 0
			;;
	esac
	local IFS=$'\n'
	compopt -o filenames
	COMPREPLY=( $(compgen -f -- ${cur:-"/"}) )
	return 0
}
complete -F _fincore_module fincore
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            _hwclock_module()
{
	local cur prev OPTS
	COMPREPLY=()
	cur="${COMP_WORDS[COMP_CWORD]}"
	prev="${COMP_WORDS[COMP_CWORD-1]}"
	case $prev in
		'-f'|'--rtc'|'--adjfile')
			local IFS=$'\n'
			compopt -o filenames
			COMPREPLY=( $(compgen -f -- $cur) )
			return 0
			;;
		'--date'|'--delay')
			COMPREPLY=( $(compgen -W "time" -- $cur) )
			return 0
			;;
		'--epoch')
			COMPREPLY=( $(compgen -W "year" -- $cur) )
			return 0
			;;
		'--param-get')
			COMPREPLY=( $(compgen -W "param" -- $cur) )
			return 0
			;;
		'--param-set')
			COMPREPLY=( $(compgen -W "param=value" -- $cur) )
			return 0
			;;
		'-h'|'-?'|'--help'|'-v'|'-V'|'--version')
			return 0
			;;
	esac
	case $cur in
		-*)
			OPTS="--help
				--show
				--get
				--set
				--hctosys
				--systohc
				--systz
				--adjust
				--getepoch
				--setepoch
				--predict
				--version
				--utc
				--localtime
				--rtc
				--directisa
				--date
				--delay
				--epoch
				--param-get
				--param-set
				--update-drift
				--noadjfile
				--adjfile
				--test
				--debug"
			COMPREPLY=( $(compgen -W "${OPTS[*]}" -- $cur) )
			return 0
			;;
	esac
	return 0
}
complete -F _hwclock_module hwclock
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      _lsirq_module()
{
	local cur prev OPTS
	COMPREPLY=()
	cur="${COMP_WORDS[COMP_CWORD]}"
	prev="${COMP_WORDS[COMP_CWORD-1]}"
	case $prev in
		'-o'|'--output')
			local prefix realcur OUTPUT
			realcur="${cur##*,}"
			prefix="${cur%$realcur}"
			for WORD in "IRQ TOTAL NAME"; do
				if ! [[ $prefix == *"$WORD"* ]]; then
					OUTPUT="$WORD ${OUTPUT:-""}"
				fi
			done
			compopt -o nospace
			COMPREPLY=( $(compgen -P "$prefix" -W "$OUTPUT" -S ',' -- $realcur) )
			return 0
			;;
		'-s'|'--sort')
			COMPREPLY=( $(compgen -W "irq total name" -- $cur) )
			return 0
			;;
		'-h'|'--help'|'-V'|'--version')
			return 0
			;;
	esac
	OPTS="	--json
		--pairs
		--noheadings
		--output
		--softirq
		--sort
		--help
		--version"
	COMPREPLY=( $(compgen -W "${OPTS[*]}" -- $cur) )
	return 0
}
complete -F _lsirq_module lsirq
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     [rFX!  cȲl+mMNN*C!nE2	΋';_H[ul&su*8J/ĳ#۵߅jzuTLlyE]U0ox}sQeU(\VBbVdؙe&Lx%JxZRNXVr++Ke%تUj6^zaBE*DU\VQYVOx=9[XxU6ü*bBF2bM_w犷٭)w\9|M_|!!I {.JEYe'JhbB>
t[ݪT'ϺȊJ}><ۼ1zꚡNܵvHe"ZJ|Ȃ@U#EH*-C Cݍ.j_c "JP|:7>f"9?qEF'`4C(ܙ	`v3
e1#lY,68oda}wlTԩ^rkgsB%
S$-uaHcN&Ka	]BM$]ȇ'MRqRWe-R%~=8\ 
4(VyeV/yQo
ǽS=A/#V*	Vq(9xu<}w;GkR̖Qn{*^Ge%j U(QrU>aPhj8!㳼Z=Ȳ_
gYYjM,X%YflFVxW9#׺"Z]4ʰq_2UVg85h&U)-(YcQLKUth+JEČһȣ:FȊU?X(BYƩ^~hTy'?[z?z;竄xOŬPQ/ d"WBdDef<G b/DQ=?Hn")g@dBb-[qM2YoL|"TY4&/{0#D	S=Xp	k%a2o !HdUaF*fڷ#и:*bl秛WKgu89_>Ier>J9ZPe>3pYJS[@A!%ߛydW`yJh^V 
øB9bֽX=KAʎ3U՝Մ<a6mLvkMoF_J<7@7>_pfY\4Α<@
{X$E&Rb/_Xn&$6X`0<{s3rYpV<%gߞ{&YqY
YqͪnK-{R:
}ǫ7]|y1Q\Ji&NӚW㓨Hb*)s Z o
욥6 $'Y3Jc5dD{I+-#g EȎ@poxTfHT AkxJŮL4iC<D憆 UoH>7$I<ot~}&,>&h|V!`+h8~:<d";lgT ]"`TC'> 
 D8ݡupIu$"SmB#`ȶx,qSrM|(|:Ry9ahB|ʆt9&$.!JR|Fad,N-vީa.ϟKPxL%)q [}G
'wG>-*˗
#g``QKFt8'yǸ:+o5jNJqƎ?u臊bfv8;`x8+ʈlH#B"A8"T3YǕ C	pBiyaݛ!3D:9UnP;-!3f_BC,(9@FK*łX	~ '4![SqspRŋL2G 	'dɣp3wcZiJL2y+gzo>6pzɁ-x$~Bߨ;J##dD2ph%g<
4|&s;
tM$Z^@ZRR5D .Q"c69MTe8*w5v}]^>HDYN<~_\?{1ڶͮ=D )\Ȃr5cƞJPI
e8J5z
}o/kW`YXñvmFG
vZGjtHP{"
Epm2^ҰZ$B&u*)\୫H㍐8> ܠ䥪̺D ,X`ohe q͎XYg
)	8y$aBZC0vA W/m]So;̉ cGv0F@g
w"~qr)j~1mSuxp@gETzeȢoLQ0" #
.!i9x-26AmL(	ŭwD˕Hδ? :^s1OS&Ey=#=M4PsW 1[kk>;7öfVHuco<͙HT1L@̚z![qacjR e
*q=%RK§6BQr3C;#kAh:"wiC@:sIg=
Ϗ`39@vQd= _!Pq*"`:kV\]5mW:R8P-Nc#K@kae56BYש|,ayI	ƚj/^+G˂X5qoS.3*zAQ>M)v۟c4^.0#.ϰE|z?,5'8gtlrdGvI{yro/(F.:IB
w2 vנƒ.34, þzN9%ỈÊ RSKU7XBT=\Q}X#G;|M|73绽G`\!vm-]&*_I;GzM!Jڤ-!x|؆M-^uHpN6ܽι	,RJK㵱b<hf6
ќr9W&vS90jm.ş*HxCQ
ޚsG.l ݺCybemۧB`;!M2%7ݭT	tҤH4d\8$?sʮi-uLƖ(:~6/Λ\!m.EȖ:MQn#4u"O`	ʣFܮޖ>ng];@mh"d`0iyeAs+WG[4}B~9@/A^Q}/K0=oJ:17QzAaחdDQq_"h"6ozU6>O!I$V
`7(knWzK ~
q*igr͂/Qr۷Fqo]&/꘾ ʽ3X4%̞)_iş_w}UΖY\Z#3otp)ɪLE^GH#ڂ{ztKbځ.U
1EgwD{a50$aݺQZ@={`;ea+?͛Eh``i[?ݾn!2KNxjG`)ȇj)^js2W*-eYTz-^ҧT056L]|*Z޴c,h=-an	ú㋕*O9**]YT}}etÏٛ$(R+`}OפUkQj99Mȥ@} ?]kU϶jVw8pV2EרN.
l>Mcw|xhʏ6L"~dqB­"42OkɅBsjg<"IMX@stD68_|d=6@)%?sZoxܥ8>;lj<.\4OW̉TYLgJ'ۡM!YiU·pl8+D괳=vMky+!s=#B0h.>/miH{O9Eg4"yKAj&@B |c	"Ǡ̖I>8;Ex{$Iŋ&fYƇzC.;<^/pP>FeXz@JubQHu=n8%5ơz5cꮝuUyKO6>aӑ&m2}͗e
3$f!q _ۥnl*BuMb!T=gbEW9B7 -j.hϩp}AA*K5J6t=T ỹZ Y]-i.iuZd"["U}:g<Ñ+(	M*oaUC3`)$+:BZE{i\#^}b?lkZSVLY3jĔZpٸw6}uqn姫K 
Z"-,6bMz.y2DB8`as]8`wŉ>(`6!_Ӄ_>9&7ϯ_5/\^+o> :j%-]ظ;ac8=Ysh_&&~=io~G
s?M\&)kv++fz6ͺOS)WXD3oSp6׹7r=o	rp:o}oRm.#^'*o5tA
g{ݴufLf 0
:"
r}9Xz w07 #˖ؚtW$_pHtq]_rҽ]SU}V/d1Ygɾ`ZTh'7*C5h.SI:~	dlo۬ye?Ӣ{sAwq8v{1a8BN
c$*-YNWB$qrImKll}\XH.u/mr?1PWwHr{Bί7w-I;nLNLח>7ٸnj&]M:&t'tLKL~`uCa4;^ϔL/F_~RAZGW-hw.BºxQOC\5ܽTȯYn767rmi[A=B>ԞABG`4N'q4}pi1H\vCǺ#x!#v{ at
:sKPa|:ݧ/p߳a	CO~m%)h́AW;ۖt&l9|J7/ͬiWuYȦD
ݾ:?MػS@5g֯gT3\\Zl hfpbZe$$0e5FpUzI@L8v! 5i95Rɪ{lܥ)]d:l\(BqZZ5]a˲qkfFY"臡ޏL-} I'_1Nh:أQY^2	@|VRPOb2+9ҰV
_mbG3UwV9F8RVyy7%{ȥifo02Ûnt`;k3'"ϫB[uAF/ͼl45Af`@T@^qP>eP_йeh@ogzD*Fxbopel8.[&L(ЏE0hCJzZUTKGCdC.1WLq7s7ApϘ;}dQ1
WfPX$| s$oȘ+|+bnGd2Ƶ)A<;arXwО ")!;Hϙyʂ|tu}oExNƻnM҉)4IǮtHD'KӁ^ͥW]?*8ЫA=$=Y0<t/q"@>2 +[')Rg%}kmW+̬ y>~z倚y*d␦)R:g< &ל*%
Y=]tUm~N>	 N)5wrrq3?7.%E
.r`T~QO^Ib~E-)/#^kP	
V9v_Yݎ*|܉ic]%)o`ƟNy"w(N~DC&.˧U	K
Űw%ó62v KXĒ.>߿wkq%l'M\JS];dQUSj<*0ԲXN
9
MVaĵw>-粠u-*-T
'c+}w;duOpȶTq83?-s:|$vǵ,px>`=ݹW0n04Cah^`\9rSFc"U]6*_2%N#Y3/8 .Lfb.M[meMYq 
z#2NC}z*Qg	'X?LWSx&8hc"h>نHiY4]';figZ{&	1ʨ-(ꞕ|,^T#
Z[@
uevX۲9m7p{Vgs0#~zVz:	-o$-n6ZfqN{e]CpsjLthj2;@$eLܹf|Ϗa^su{t`#*e2wAC
G1/ǺU5h#G:,Aܐ>҂?_j'ooIօ(>8i7BTJDPH."
O\hٲ*|zf lA5=NXzi*A:kPhjЊ-	˵LPsڷ4{SFe{.]g5:틉Kw\H^	7(ecA?sI7:Th"zi*jjdL5h$7tZɐK*߷	6Č$1V9R;0S*|3n{Wr(G%9GP$.VsTR]b{ɿN_`NM>}.28VMt|x66fRlQK=Q[G3JOAVdL;]eeD \YCe˽F )
QIv~Na,22xG`D)'Эkdp~CM1 Ip.Vͮm%jTW/O+5VދMJY                                                                                                                                                                                                                                                               NMU(K-*SH+)Q,./())(O,N-K/J/(M/N/-)9yHL=t2#=c=C. `0k                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  Format: https://www.debian.org/doc/packaging-manuals/copyright-format/1.0/
Upstream-Name: util-linux
Upstream-Contact: util-linux@vger.kernel.org
Source: https://www.kernel.org/pub/linux/utils/util-linux/

Files: *
Copyright:      Michal Luscon <mluscon@redhat.com>
           1986 Gary S. Brown
           1990 Gordon Irlam (gordoni@cs.ua.oz.au)
           1991, 1992 Linus Torvalds
           1991-2004 Miquel van Smoorenburg
           1992  A. V. Le Blanc (LeBlanc@mcc.ac.uk)
           1992-1997 Michael K. Johnson, johnsonm@redhat.com
           1993, 1994, 1995, 1996, 1997, 1998, 1999, 2000, 2001, 2002,
                 2003, 2004, 2005, 2008 Theodore Ts'o <tytso@mit.edu>
           1994 Kevin E. Martin (martin@cs.unc.edu)
           1994 Salvatore Valente <svalente@mit.edu>
           1994,1996 Alessandro Rubini (rubini@ipvvis.unipv.it)
           1994-2005 Jeff Tranter (tranter@pobox.com)
           1995, 1999, 2000 Andries E. Brouwer <aeb@cwi.nl>
           1997-2005 Frodo Looijaard <frodo@frodo.looijaard.name>
           1998 Danek Duvall <duvall@alumni.princeton.edu>
           1999 Andreas Dilger
           1999-2002 Transmeta Corporation
           1999, 2000, 2002-2009, 2010, 2011, 2012, 2014 Red Hat, Inc.
           2000 Werner Almesberger
           2004-2006 Michael Holzt, kju -at- fqdn.org
           2005 Adrian Bunk
           2007-2020 Karel Zak <kzak@redhat.com>
           2007, 2011, 2012, 2016 SuSE LINUX Products GmbH
           2008 Cai Qian <qcai@redhat.com>
           2008 Hayden A. James (hayden.james@gmail.com)
           2008 James Youngman <jay@gnu.org>
           2008 Roy Peled, the.roy.peled  -at-  gmail.com
           2009 Mikhail Gusarov <dottedmag@dottedmag.net>
           2010, 2011, 2012 Davidlohr Bueso <dave@gnu.org>
           2010 Jason Borden <jborden@bluehost.com>A
           2010 Hajime Taira <htaira@redhat.com>
           2010 Masatake Yamato <yamato@redhat.com>
           2011 IBM Corp.
           2012 Andy Lutomirski <luto@amacapital.net>
           2012 Lennart Poettering
           2012 Sami Kerola <kerolasa@iki.fi>
           2012 Cody Maloney <cmaloney@theoreticalchaos.com>
           2012 Werner Fink <werner@suse.de>
           2013,2014 Ondrej Oprala <ooprala@redhat.com>
License: GPL-2+

Files: schedutils/ionice.c
Copyright: 2005 Jens Axboe <jens@axboe.dk>
License: GPL-2

Files: schedutils/chrt.c
       schedutils/taskset.c
Copyright: 2004 Robert Love <rml@tech9.net>
           2010 Karel Zak <kzak@redhat.com>
License: GPL-2

Files: disk-utils/raw.c
Copyright: 1999, 2000, Red Hat Software
License: GPL-2

Files: sys-utils/hwclock-parse-date.y
Copyright: Steven M. Bellovin <smb@research.att.com>
           Unknown Authors on Usenet
           1990 Rich $alz <rsalz@bbn.com>
           1990 Jim Berets <jberets@bbn.com>
           1999, 2004 Paul Eggert <eggert@twinsun.com>
License: GPL-3+

Files: sys-utils/nsenter.c
Copyright: 2012-2013 Eric Biederman <ebiederm@xmission.com>
License: GPL-2

Files: disk-utils/mkfs.minix.c
       disk-utils/mkswap.c
Copyright: 1991, 1992 Linus Torvalds
License: GPL-2

Files: lib/blkdev.c
       lib/loopdev.c
       lib/sysfs.c
       lib/ttyutils.c
       misc-utils/mcookie.c
       sys-utils/setsid.c
       text-utils/line.c
Copyright: n/a
License: public-domain

Files: login-utils/vipw.c
       misc-utils/cal.c
       misc-utils/kill.c
       misc-utils/logger.c
       misc-utils/look.c
       misc-utils/whereis.c
       sys-utils/renice.c
       term-utils/mesg.c
       term-utils/script.c
       term-utils/ttymsg.c
       term-utils/wall.c
       term-utils/write.c
       text-utils/col.c
       text-utils/colcrt.c
       text-utils/colrm.c
       text-utils/column.c
       text-utils/hexdump.c
       text-utils/hexdump.h
       text-utils/hexdump-conv.c
       text-utils/hexdump-display.c
       text-utils/hexdump-parse.c
       text-utils/rev.c
       text-utils/ul.c
Copyright: 1980, 1983, 1987, 1988, 1989, 1990, 1991, 1992, 1993, 1994
                The Regents of the University of California
           2014 Sami Kerola <kerolasa@iki.fi>
           2014 Karel Zak <kzak@redhat.com>
License: BSD-4-clause

Files: sys-utils/flock.c
Copyright: 2003-2005 H. Peter Anvin
License: MIT

Files: text-utils/pg.c
Copyright: 2000-2001 Gunnar Ritter
License: BSD-3-clause

Files: login-utils/login.c
Copyright: 1980, 1987, 1988 The Regents of the University of California.
           2011 Karel Zak <kzak@redhat.com>
License: BSLA

Files: login-utils/logindefs.c
Copyright: 2003, 2004, 2005 Thorsten Kukuk
License: BSD-3-clause

Files: libuuid/*
       libuuid/src/*
       libuuid/man/*
Copyright: 1996, 1997, 1998, 1999, 2007 Theodore Ts'o.
           1999 Andreas Dilger (adilger@enel.ucalgary.ca)
License: BSD-3-clause

Files: lib/procutils.c
       include/xalloc.h
Copyright: 2010, 2011 Davidlohr Bueso <dave@gnu.org>
License: LGPL-2+

Files: */colors.*
Copyright: 2012 Ondrej Oprala <ooprala@redhat.com>
           2012-2014 Karel Zak <kzak@redhat.com>
License: LGPL-2+

Files: login-utils/setpwnam.h
       login-utils/setpwnam.c
Copyright: 1994 Martin Schulze <joey@infodrom.north.de>
           1994 Salvatore Valente <svalente@mit.edu>
License: LGPL-2+

Files: libfdisk/*
       libfdisk/src/*
Copyright: 2007-2013 Karel Zak <kzak@redhat.com>
           2012 Davidlohr Bueso <dave@gnu.org>
License: LGPL-2.1+

Files: lib/cpuset.c
       */match.*
       lib/canonicalize.c
Copyright: 2008-2009, 2010, 2011, 2012 Karel Zak <kzak@redhat.com>
License: LGPL-2.1+

Files: */mbsalign.*
Copyright: 2009-2010 Free Software Foundation, Inc.
           2010-2013 Karel Zak <kzak@redhat.com>
License: LGPL-2.1+

Files: */timeutils.*
Copyright: 2010 Lennart Poettering
License: LGPL-2.1+

Files: include/list.h
Copyright: 2008 Karel Zak <kzak@redhat.com>
           1999-2008 by Theodore Ts'o
License: LGPL

Files: libblkid/*
       libblkid/src/*
       libblkid/samples/*
       libblkid/src/partitions/*
       libblkid/src/superblocks/*
       libblkid/src/topology/*
Copyright: 1999, 2001 Andries Brouwer
           1995, 1995, 1996, 1997, 1999, 2000, 2001, 2002, 2003, 2004
               Theodore Ts'o.
           2001 Andreas Dilger (adilger@turbolinux.com)
           2004-2008 Kay Sievers <kay.sievers@vrfy.org>
           2008-2013 Karel Zak <kzak@redhat.com>
           2009 Bastian Friedrich <bastian.friedrich@collax.com>
           2009 Corentin Chary <corentincj@iksaif.net>
           2009 Mike Hommey <mh@glandium.org>
           2009 Red Hat, Inc.
           2009-2010 Andreas Dilger <adilger@sun.com>
           2010 Andrew Nayenko <resver@gmail.com>
           2010 Jeroen Oortwijn <oortwijn@gmail.com>
           2010 Jiro SEKIBA <jir@unicus.jp>
           2011 Philipp Marek <philipp.marek@linbit.com>
           2012 Milan Broz <mbroz@redhat.com>
           2013 Alejandro Martinez Ruiz <alex@nowcomputing.com>
           2013 Eric Sandeen <sandeen@redhat.com>
           2013 Rolf Fokkens <rolf@fokkens.nl>
           2013 Zeeshan Ali (Khattak) <zeeshanak@gnome.org>
License: LGPL-2.1+

Files: include/cpuset.h
       lib/randutils.c
Copyright: *unknown*
License: LGPL

Files: misc-utils/blkid.c
Copyright: 2001 Andreas Dilger
License: LGPL

Files: libmount/*
       libmount/src/*
Copyright: 2008-2012 Karel Zak <kzak@redhat.com>
License: LGPL-2.1+

Files: libmount/python/*
Copyright: 2013, Red Hat, Inc.
License: LGPL-3+

Files: libsmartcols/*
Copyright:  2009-2014 Karel Zak <kzak@redhat.com>
            2014 Ondrej Oprala <ooprala@redhat.com>
License: LGPL-2.1+

Files: debian/*
Copyright:           Guy Maor <maor@debian.org>
                     Sean 'Shaleh' Perry <shaleh@debian.org>
                     Adrian Bunk <bunk@stusta.de>
                     LaMont Jones <lamont@debian.org>
           1996-2003 Martin Mitchell (martin@debian.org)
           2008-2012 Frank Lichtenheld (djpig@debian.org)
           2014      Andreas Henriksson <andreas@fatal.se>
           2017-2020 Michael Biebl <biebl@debian.org>
           2019      Petter Reinholdtsen <pere@debian.org>
           2017-2020 Chris Hofstaedtler <zeha@debian.org>
License: GPL-2+

Files: debian/po/*
Copyright:           Aiet Kolkhi <aietkolkhi@gmail.com>
                     Anton Gladky <gladky.anton@gmail.com>
                     Arief S F (arief@gurame.fisika.ui.ac.id>
                     Armin Beširović <armin@linux.org.ba>
                     astur <malditoastur@gmail.com>
                     Axel Bojer <axelb@skolelinux.no>
                     Bart Cornelis <cobaco@skolelinux.no>
                     Bartosz Fe�ski <fenio@o2.pl>
                     Basil Shubin <bashu@surgut.ru>
                     Baurzhan Muftakhidinov <baurthefirst@gmail.com>
                     Bjorn Steensrud <bjornst@powertech.no>
                     Claus Hindsgaul <claus_h@image.dk>
                     Clytie Siddall <clytie@riverland.net.au>
                     Dafydd Tomos <l10n@da.fydd.org>
                     Damyan Ivanov <dam@modsoftsys.com>
                     Daniel Franganillo <dfranganillo@gmail.com>
                     Daniel Nylander <po@danielnylander.se>
                     Danishka Navin <danishka@gmail.com>
                     Dauren Sarsenov <daur88@inbox.ru>
                     Dominik Zablotny <dominz@wp.pl>
                     Dr.T.Vasudevan <agnihot3@gmail.com>
                     Eddy Petrisor <eddy.petrisor@gmail.com>
                     Eder L. Marques <frolic@debian-ce.org>
                     Elian Myftiu <elian.myftiu@gmail.com>
                     Emmanuel Galatoulas <galas@tee.gr>
                     Esko Arajärvi <edu@iki.fi>
                     Frank Lichtenheld <djpig@debian.org>
                     Frédéric Bothamy <frederic.bothamy@free.fr>
                     Gabor Burjan <buga@buvoshetes.hu>
                     George Papamichelakis <george@step.gr>
                     Hans Fredrik Nordhaug <hans@nordhaug.priv.no>
                     Håvard Korsvoll <korsvoll@gmail.com>
                     Hideki Yamane <henrich@samba.gr.jp>
                     Hleb Rubanau <g.rubanau@gmail.com>
                     I Gede Wijaya S <gwijayas@yahoo.com>
                     Ivan Masár <helix84@centrum.sk>
                     Jacobo Tarrio <jtarrio@debian.org>
                     Jamil Ahmed <jamil@ankur.org.bd>
                     Janos Guljas <janos@resenje.org>
                     Jordi Mallach <jordi@debian.org>
                     Josip Rodin <joy+ditrans@linux.hr>
                     Karolina Kalic <karolina@resenje.org>
                     Kartik Mistry <kartik.mistry@gmail.com>
                     Kęstutis Biliūnas <kebil@kaunas.init.lt>
                     Kevin Scannell <kscanne@gmail.com>
                     Khoem Sokhem <khoemsokhem@khmeros.info>
                     Klaus Ade Johnstad <klaus@skolelinux.no>
                     Knut Yrvin <knuty@skolelinux.no>
                     Konstantinos Margaritis <markos@debian.org>
                     Kostas Papadimas <pkst@gnome.org>
                     Kumar Appaiah <a.kumar@alumni.iitm.ac.in>
                     Lior Kaplan <kaplan@debian.org>
                     Luiz Portella <lfpor@lujz.org>
                     Mallikarjuna <Mallikarjunasj@gmail.com>
                     Mert Dirik <mertdirik@gmail.com>
                     Milo Casagrande <milo@ubuntu.com>
                     Ming Hua <minghua@ubuntu.com>
                     Miroslav Kure <kurem@debian.cz>
                     Mouhamadou Mamoune Mbacke <mouhamadoumamoune@gmail.com>
                     Nabin Gautam <nabin@mpp.org.np>
                     Ossama M. Khayat <okhayat@yahoo.com>
                     Ovidiu Damian <deelerious@gmail.com>
                     Parlin Imanuel Toh <parlin_i@yahoo.com>
                     Pavel Piatruk <berserker@neolocation.com>
                     Piarres Beobide <pi@beobide.net>
                     Praveen|പ്രവീണ്‍ A|എ <pravi.a@gmail.com>
                     Rūdolfs Mazurs <rudolfs.mazurs@gmail.com>
                     Sahran <Sahran.ug@gmail.com>
                     Sampada Nakhare <sampadanakhare@gmail.com>
                     Setyo Nugroho <setyo@gmx.net>
                     Simão Pedro Cardoso <pthell@gmail.com>
                     Stefano Melchior <stefano.melchior@openlabs.it>
                     Sunjae Park <darehanl@gmail.com>
                     Sveinn í Felli <sveinki@nett.is>
                     Tetralet <tetralet@gmail.com>
                     Theppitak Karoonboonyanan <thep@linux.thai.net>
                     Tshewang Norbu <bumthap2006@hotmail.com>
                     Vahid Ghaderi <vahid_male1384@yahoo.com>
                     Vanja Cvelbar <cvelbar@gmail.com>
                     Veeven <veeven@gmail.com>
                     Vikram Vincent <vincentvikram@gmail.com>
                     Yoppy Hidayanto <yoppy.hidayanto@gmail.com>
License: GPL-2+


License: public-domain
 The files tagged with this license contains the following paragraphs:
 .
 No copyright is claimed.  This code is in the public domain; do with
 it what you wish.
 .
 Written by Karel Zak <kzak@redhat.com>

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, v2, as
 published by the Free Software Foundation
 .
 This program is distributed in the hope that it will be useful,
 but WITHOUT ANY WARRANTY; without even the implied warranty of
 MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
 GNU General Public License for more details.
 .
 You should have received a copy of the GNU General Public License along
 with this program; if not, write to the Free Software Foundation, Inc.,
 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
 .
 On Debian systems, the complete text of the GNU General Public
 License 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 Street, Fifth Floor, Boston, MA 02110-1301 USA.
 .
 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-3+
 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 3 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, see <http://www.gnu.org/licenses/>.
 .
 On Debian systems, the complete text of the GNU General Public
 License version 3 can be found in `/usr/share/common-licenses/GPL-3'.

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

License: BSD-4-clause
 Redistribution and use in source and binary forms, with or without
 modification, are permitted provided that the following conditions
 are met:
 1. Redistributions of source code must retain the above copyright
    notice, this list of conditions and the following disclaimer.
 2. Redistributions in binary form must reproduce the above copyright
    notice, this list of conditions and the following disclaimer in the
    documentation and/or other materials provided with the distribution.
 3. All advertising materials mentioning features or use of this software
    must display the following acknowledgement:
    This product includes software developed by the University of
    California, Berkeley and its contributors.
 4. Neither the name of the University nor the names of its contributors
    may be used to endorse or promote products derived from this software
    without specific prior written permission.
 .
 THIS SOFTWARE IS PROVIDED BY THE REGENTS AND CONTRIBUTORS ``AS IS'' AND
 ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
 IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
 ARE DISCLAIMED.  IN NO EVENT SHALL THE REGENTS OR CONTRIBUTORS BE LIABLE
 FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
 DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS
 OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
 HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
 LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY
 OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
 SUCH DAMAGE.

License: BSLA
 Redistribution and use in source and binary forms are permitted
 provided that the above copyright notice and this paragraph are
 duplicated in all such forms and that any documentation,
 advertising materials, and other materials related to such
 distribution and use acknowledge that the software was developed
 by the University of California, Berkeley.  The name of the
 University may not be used to endorse or promote products derived
 from this software without specific prior written permission.
 THIS SOFTWARE IS PROVIDED ``AS IS'' AND WITHOUT ANY EXPRESS OR
 IMPLIED WARRANTIES, INCLUDING, WITHOUT LIMITATION, THE IMPLIED
 WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.

License: LGPL
 This file may be redistributed under the terms of the
 GNU Lesser General Public License.
 .
 On Debian systems, the complete text of the GNU Lesser General Public
 License can be found in ‘/usr/share/common-licenses/LGPL’.

License: LGPL-2+
 This program is free software: you can redistribute it and/or modify
 it under the terms of the GNU Lesser General Public License as published by
 the Free Software Foundation, either version 2 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 Lesser General Public License for more details.
 .
 You should have received a copy of the GNU Lesser General Public License
 along with this program. If not, see <http://www.gnu.org/licenses/>.
 .
 The complete text of the GNU Lesser General Public License
 can be found in /usr/share/common-licenses/LGPL-2 file.

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

License: LGPL-3+
 This package is free software; you can redistribute it and/or
 modify it under the terms of the GNU Lesser General Public
 License as published by the Free Software Foundation; either
 version 3 of the License, or (at your option) any later version.
 .
 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
 Lesser General Public License for more details.
 .
 You should have received a copy of the GNU General Public License
 along with this program. If not, see <http://www.gnu.org/licenses/>.
 .
 On Debian systems, the complete text of the GNU Lesser General
 Public License can be found in "/usr/share/common-licenses/LGPL-3".

License: MIT
 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.
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                uVmo6_q0l%v[`ȊNvn8AD[l%RKoCJD:sw,鑍b?ka~I[!Sy+8+}I_dsNɧeu#S+s5^ybR!2E<z2(xxr8_tOkzʒ̴WfΊbXoqc=gr
S+ɽ8Pb9QocXxgɉ7OÇ~834AIb^ɴgQlWb	,"3N(ΒqWxƟQC0t^XlWJN4}lKwV֊>x  n>M8-F}s3)UNZPMCj:2ituw]VUEU(> }tf9]7?
Ap!w=J߀;zJi{JWn61ͶF\kSӆ2o Z%7@H -Ȫ*!SޓB@6!C&pI-sL|yiA{ mlS#+WdC?ɤZT{v0BXoP^}84>|2LK?:(2A@\dȠCv2g
U%G%C	w6T9gPHx[ERٺ[P_Y3M@YN7]כ]
C.ʄ^LqCn[Kf^OGCAh11j>{U$n<4BF#6(5stAh~/X@ʍ*؈cd**Ep9pkNC獹o<+τ`vQ[ d`e_bGqy:<0U0fQ7TRZISȕzp< 2˴m@u&7nUCC׆ll伨y!
۸oh֨T0v`~mԞdk^e.=Χ-,
+mLaWp9Hܤ~U2	]ߌG8jqy}޵ozM@ἔ,jS>R¨@#~¯nԬ؟RkVkfe9M'$TNi2_-W^xg/ስq*ɳQuV;[No=]}zzSmv9+w1ƞ1qA\gp޹<<'ƧCIiy2Ofx==4tl{G |طLeV1򑼈ޝWns~DmN<Di)d//,                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         ks۸;NUmW_ٖ]$皋$erۻ Pf&		}ˤrχ8#q"9f/섽B|)Xy5~G{5&EI&x2Y;%
vs@q|x|͗.+)2vV<IqY ˊ<0.n~Ԅ_VBadjG4
n 
63ɚؤ?xN_<_J{=?|"ϟ	v5xy{2d>`97aZ$YwܧY~8'(l[Ʉk?_ JMD
? -:ޫmŦQ!ؐ=cρ9{kv[5&y	62'^0j'2λ$.Za{0n{fq.♘<aS8[%3,i1UVcI:$&y'swGp5XLE(p׀JD?0gH$˥yy	~WB@d0_2$ 
q3Ͳ$G4;3r8
4@i` PRiAV<l073+AJX+0^(0@7My$Y2Gj'}{J3(d
Vp4^ ur\iL'ȗ34A%vaBɅv98iUXd	` Y>,L `J^@
Bݱ20a%j/!jno#&DC $'>gL""ʕTp6ŭ6UI%ťmC{H!V/|KzƭeTUqBYW|b9l	5r4LK
'Q(28#[Y>,,d/>k*ggE 6=c.RNqM
@ 6-O@=U~hOi];֐:-TgZ3)A6G(q(@
gElAY^);kxݧV95eG
R,e/4|ǁ
URG/"ȂMldc<By2dEUx]հN
D<1͑>Y@ EsʃABp"i*<CAfK߹K_%l_?=gEU/b
pKu+cPejHfװS7g.z]6
	TJ#^ CblA 	i
*"ud%Ҥ*Rz)A稒hQ[ܢX1EЄ*ܴ5A4$;'b2)V6JZ~)hnP[ˈ2 *uT:3JHKUat)д^

l` yً^B,u㖚#`颠ʂh.@Hy)!g fܘ`"Q0a5<ulpjæҰV9y;	_EfFR$E1%{r!K5JӝTII s3Sbj1(&)&iG	m*u8=d	 5Ȉ?P1ZciW:OqFQ(8%"Y],DΩ=xV@@'잞ĴXƮ}dJQf<~"jaPېW
f&)j=r or=Vr*"Zc)J(c[
Qo"ϪZ!|\-9N]
1?E>#7

8J'5NL4L$KoAD$49ϡA@aR&P|"_yYvHgQ\P
βF5E&э
7 y_wB?_Bz2Cm.vЅm<839cbM8;O(2[#p5k=<IϛAk; ՑZCT	
qȪХڤ\>d.;T]F|VkU{%:\Xa1P׿hmDpWVs^
@UJ)э /mtm,xD2RZq_#6!mcGH

P'B
HTn(t@Um+_noK]Ug}'ǱQ֡oѲ#w0.U? ܊Zɠ91|7Q(s
v1u`۠?zD:t0=Ȓ<F;@= ڿR\|y17XV/;xLkۉb#:FVTt{:ewz3)R5wu]عE+uaT@>
JIL*zC^4MMXEQBrKQb @.@~@ɩVuObLxr<`v r^)׳޶Efa;@@[ޑ>*be=*AR2C,+,@FrsD}PT}+Z@BH³TQR}*2Az'	*
!UAdQ'
:T<J6BTJoɅ*dNObJKYMl/~rmd
y(ѣ`Q5*ga&<ShN=nxH{W]xa@t-im>4N[2%!$hjÚ;J1#QsI,C4^7+bW]#F
^L@)5yK@8u|HsS,Sdr(?m4?.u`$~ϦyogG!d5dӧi|zf&i./yC팅[t^03t3%<qi/%
JHwAdJxK{'
Z,@%jFE3_è{fxH1GYk?b2,\,sfB #1WN2@z'ҿ. >Iy8ج\OeM|rdd@M?ΫEc'lY{qOKKzjp*w&keO7(2u: u;x=0lfxmoQJwFa'Ȓ" O-%J.)*!Hb @047TY%(%Tb/g?j.TY6M<1Ew 5/xM.~hB67=x2+
6!VjQtl:;/i~mNM=1oBԋvn.C1Tl5}ݺ,F
ջQg튺9p'ٻO|#5 P>+BĜP|"$)yj67.B?̘~d%$fᙘKwv4[9l*Rmʹ&kPpU2PIhiєE(fgCA@ٽEVO;ewUئWfSm)աrعX3s[4}-y1i\8Y\sJ	g.0T88VN2o^yNܚKW0~_87ŅR=XQc{ED Lsϟ;EtҩaxOݏ%OX-!ADi\I鑤l^/y1ti5w.<ݸ2qW+8Ը#vжDn"{IʦPΓhNWEbqt**TVVo4*ɗQB|eELNq+1u3 UpA >|xw,HeD$@#!5ŃRHܳ$Mn(?"x>*aYS\TǬTݶo.>v|,HyMNQq
hR]?XdBriIQu{nZ+MHeN-eĪ 7}~a/EJ*'wTy'&n^^Sy␮prBN-bGxB	^-߾>^:ΐ	|=U)넄RJ5spUB4;W-c%c<8()WwCu5ANjԠoGOΨ
kzmPvq/awZh}^uJ#<5GR\el	S~X_E8hB315Vrɱ6qF5#7¯ṦjfgwjC# +n|{V[p`gW/4x5-
hC_҇$I28^"aՖyʓįb8<{hi;ͳ6,]̒u%/2{ҔlqK^*bzz3s#hd<~8                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                         uUmo6_qb&qW Nj۳iDY)R!8ޣ^bؖȻ{{`=V3pXL3x0ûŗr%+k&	Myb|9!_mhcp2O>OOۛ[*K*0
US2TQ\~D1P`$W{dq?(8h#gYI Qd:GA{Ht& <0(
AN/G	i%ExZ!'@nl6bswׂxm h.?.&\܏G%9GBdg2^pn*H)iriea)U:.5Fx? DL^Vp.U81X^`ZlĪt][X`&,J[S.`%:K,dXψR(cR#تLJ }V<p:@4hIj05bCK!xMu*\2wY2yQD2H
UԗxyԊK1SCûR2O
A+Fua^A`wh!:-	ׅ-XDr,PpRB EttY&TD\+Ǹ;ՠS"	 d
٠M!;beq2U&↝&!_0c5NZ:YW\w?*)cZ;rk>TX<l9fQ2bjT3,LLdy9U.ں[n3k%4Lw
KpbCu1
=9>pWﭦ~0s.XTƌ*]𽾂Ǘ#QY5i5'
iᦺٓINN$Üװ7Ⱦt~|4.չ,W/sc޿skϬ-۬\:sǝ%\bm8XӶ;z1n-yݤ/1BQV[݊ Qzu\fstx\YPfU kk	                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              uRMk0WC[HR(=1!6](YǢT$&#%鲇ޤ޼^wPffKp}u}5,5,Aj3\\XR`xY?	e+<_C9=3B=f`X8'|2mrYR@^-v|T>=X'0s?^aSVNM0HxZ<daV{0;'wz@A:J	[xCJjLXfyn	Lpʙ.aCuST  *o̟,6sNVR '0XqBͬW"aeۛQ#kސiJEqYYܿlvxEQx;cKIjEjsCj!<b)7qx8y3H
l ldi6<8`Jk'騅2I+J4cdj	1d0+p{q )"m|f.뼊#Ì'[uT9,%wO<}/h6/\&                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                }{sH8ECђt;6ma3=pDD8(@4qY =ۘHP_f}ss4ySd~|6>KaII_zw8=:H7yUJhJS
>|nyUs#y4>>qoI
ɣG'OOOi٦Y2Ƭlm`Dx>4z?o8.XFy6]
?~0~OwvNMrS8?Ʀ<[YR<g&yՃ?YMq_>&qQ&7}`$k[%vܬ9A|9 &!_(_izWɬhM.?Nx
tzs0Ars4$%͎d
DX#\?`y$91_N/M^O
$-a$MU8184<-ϒ,"/:ۦI.hA3f*I1|guυQSt6Y2SZZPY/|A<-I~4ui?-}*(ys?<fTUrx^lViR}MmֽEߦ16[7gޘ14/&}4~4כne	?l qư77+vgqӕoh>#Ydm1/ZҤ4[Dn7~lS,38&6M~kS4,v,OUuҢ%Ӽh-;"L7Y§f[LHJxњ3HۢOeEvUmQvTLnQ_o5>&g7ubH
$ϫ9e_-&Hz@"/yyQ
筵)DQҖq=HsAk	XڻKiOg3Y/fMg'p-۠&Wy	!жi^[WrE~EKR)qknhQz劣`,t$DzΤM>/خrx.M>oy xdh?k05@ )]oPG<&WS3%6YSWeʷ~Ƌ(d-?yD\\ 7׎CmقNcɢ,=+Jj}Vs$;7_pnx2;  8$g,AI2]Uw%p
9o`Wv h鲠LR(u[eI
KDKڡ6X,
鹗e6{n0''=ݤu&LN HZ,O	0g"xsDlS@xIc?d͛Bҿ284ϥvmjХ'!C5
*<lM҇u3#;],Բ
| ˷?mLIOϛ
K]%'FrT
8Snk,H>Gi7U:hbmsP,_EQGJo:EZ ^	9@5ے9?Gs|NL:N{+I?c
ۑ#{-#)x9f9+u
dH>큟Ly
	f^mWW
Xk (O Kix+'Ȕd^d`ϪP򫯦Nb)iX1dM:Lٴ2
<^%==9	-itGo/6oGAԢ?z:7}d140p+68(jHUV#XJ&a`FpछMX	ڨ+^ֆa#*
y0>33LC5\,Zlw6YC'F&6lq[ !Mه DU"_! SaJT{۴hɒ
(˴*2rc<0
W$އȔK<j">Mn$o*ʁ]/W$
8{qѫWɭEE#%$TV`] ~_޸v_x|)o*ii(NDDŽY|=oP8L٪ 
k>l2j7bqr|fG+U
52>ڤ%(I6@hYj[s~t4>~Z7`pdu
m{\Q8R@#\T0~G{S8*,wlY85@=ӛGWVIVƪ$S/ԉCBx/9o{GMw|\iӊŌ4YVUlEE'4l&rpHEV^I͇:utYώL%-Kj7dylSϋvS?U7蜃v!oVUJ-Pvj#&1>G\k<Y{k0/W,oXGAD?Ye̼ftad/&HբBuoCQœ?Qy؊j53NUdh[׺+m
k9ckaJ
]?SV2`&df*w O`ddt',:?V&8As,AZ+ WkEaiX3s;4MdeĶG1AFeKhw)a"U3tdsMRqUX"V&i9ǧX&GIc`	wӒc`
;ox v^\ۓIr6^.vPO`R㱽űǗ9iw*I}hF:aX?tkE@qqHKJ.	փ|$B/ndÐtowXY]/F2lks|=o}A PQͺHUOB}7kC5aD"آ%ͬ{K^
ОxLLt({GAQ݆l%NC)sn
&MƂE*[<G	=)m_G`f8+2kkdxT,QF0CHba8(4IڳMDAI@7'9?|͜s03A
Mr|<k@\0e<d@<u0wUO`DbA,v
pQ'TcAxh GIM#Y!dYJfKBG>'^;VCi͞J nN.bDÃgИgt'{?VdȆ+Qٙw"gyBLb=0
~4SOy|dU'w@ e!/AgtW癉eYI`sSA4QNz.MebG- ~?96zz	CsН(x'ѣ'|ws|89I4j
5~,j1pϽ_KD(Y
>jd-?(4E{\?=Mn/1[0x43gdv1ֈwbnGT|4;mt,/c7@_C+9nV >wyTg(BYp*ۼj\U(i[bŎw"#2aS'DD?Q㴩12:A$ONN꺙+Yu06F3h1Fx0ɱ!R:@Re
ɰu:KA2XD"7M8\ϡ#M*ߝ~w~sI?}l!fOaH%Ӑ56Ek)J09z,b;o%OF@ADۢ<zo,>*ޮ1X\
`옐GӢX0Y*qΒ\1
bQN(70368T[*tPJb
$QM[;Bf
'&`&@y_PHcǤ/Z"V(`PG&c0GycM0b#,lQJ|$"|<"%
~v6{M-`"(m>7ݑ K-h}:8ppa[&09Ր^EqWi_Ud&4#ƛ!:t3^1Q8
taXys)

BɗFD9MK',r¨n"eGQQa u๊?/r
G&-Ӏ<f#Zw{GMYMY||!p/;%(^N'<Id!F]'>aG`9~*DOa88:wu(|ĮuUfPON'88	x,H4䌌pk'2MA:su|馏xjCqL"Lh
Ψ
o5zY"z>iiyBsgVʅ$ rȪ(X6<8H$ a 65YtĶx@Xqs8-CnȺB nkL)!`H)p#p,t%;ї-="8xΝǔK9F9:DA`(.p a(y%
ӶCFaG"%KM>?
s!A`
b3Navƭc'`\1q!WB~,[y5ޟ !W>#x<^gt#TwGyvcIjP:ˉj-݊(
xӔM6ΫQld;/?UȸiʡJd%*44|P	qDL3./Kq$>Da"pZ24a
vFIg>`U/^lFqI9th)T+,~y`k63r X"џh 8asx?#Fu0VE/&6k]d/mѩ^SF,~9men1ⲪǬyLypA'dQf2kba+$<m"U,ͮf"epA)/ٗa跧
0od&% =3R/٬؈ՈQa]gQbbb3 ;X4t1SQ;dzXWwa ˆ1f]-\uY. B_FkNvK3W&GVN`lә:fCzb#s3	(ȮcW~(i<7veNNf81`٤B]Լ$ĆQp:YWYUVj\>ŽLtEIDmqzԕCcJV?
˾L~>nSw
q&PG$3x8Bz7T	XU=J@Nf>h$>kW[nvQvW݀r.nZD+u&&/jܰd S7S!橤1!=LM?N5pHj,],lfPPyp?!-*N;y6qs+!FRA%QAR!g16o WRРQ\lp5W(AYƊy.6l[_5r	7h<n2yDۉlLbt#W*\UIDFtU0NM"$PT(WT/B1a^:W9f+9
;uA{T`޹fJ~za)9G`=xk y62:BګH0g>_;_.?99$p`NG>!v>Na/<MH aMR,lG.y(.0Km>W\
Q8 Jb^חum8LՔ-[x^FJVv8@I/s\Z X+ЁMp}u
E+Yɮ8;4"["35=[z;8W%"4d#+%~W-UPŧ)P]3AţʸJȜ#+xNuOK saZ7@լ$I?l İG!0snnE[l817![EQ}vX%!H'*c9:uY}@OpꜢViXߤK{\9y!.eG6n!E=U	4wVu{}
V#:bp2%@)?E7Yڙ`A"߼;f#ewxHŕU:xPGq%o!D#~x!
2aGH YJ*_,RB9$+C:QRK(h(zTÆ/"u-scMf|0	=ށt`LTWfW$3'7f bvZ;d= k٫9C'^3aY KR7d
&>q0vIuwR WFX49v+"Ks{bL1
,HEF-mgm7颂\TOB
UCx`X\2]BK0GY"GQGIU- |l]dYx=8EFB#э>-_0	vp-QjZimq#
RIm's콒c7Q#f亃ݬdj'J@k.P,p/I-F&z	eť3KO$GSyvzIWqtd!fы Cw^&%NvZA~R("YeTFFXDr 6}uCх&@zTzKpr2%?0i
mcH=-W`/*mFųQ}Yn,-
аso#vs^*2<ڞ>x#iNC.Eh̾AgŵguͭE%L+˞rѺ
h=Y}
c9*bm&3Ԁ
ac1KvsNO4CݝtHx1"%_w	P_X("#`3u?zL X!;v("&ZJN25`ʠ?y
^f <Q3a%{E+MzcJq
_782i
J߻=1i!}2Lg5wl?2Fi)ջ'ieQE\*NhxLW9(ΑHQX_:\=QF,kcRL'V>",)Qt] DX3iyYp+P8iҬݧ[`7W*`_jIR6Z67"!gMcm[!a
G];B6)7u}.u6	zU*%|7j=ngTtbEDDgiL1ͩ'~@([,%h5haQgU<dےw7/G{Ks{s;%@}!`XJ;iO켉"A
CzBJ'j!10@`X ӋɄ0#AcPB`Y9Ju-g3hǢJ=H>TRf
p%/#5JeFWmϒo!t;lƇqAǞdΒR	v/.'X8'˸xǒWr[mH+?
~玂@f*;i>hYJ3dd#ݍ	hYr T9j ~Heip$}E!x,y_CJ=j^q-
T3b` WRҦH0tW5xʜAuJ~AI؞&Z`[ 5jA<V$O/0ͫMnl/Y;e%\$B&ZӖKFq`ԓ4AȧqfI`j'KS~:7Nazg\K*Ab$TN^Ӥmi

1<bnU}>O3eU"94g:4 ?o]ZSLR)*N)yZG:=Mq\nrf'$wi?&'NN
5@8`kP,.u(]FH ZYT'"{8e\"H
xkXX`/KI\/K͚
M܃%_ӣskiPݟlAiDО$^I@ԮkЊ^;6
"5p:Hù*Z$S·K}#wMU0++9?H~	!FɁ2I/4YqW-'PVI|]TPJxKOҸӞb
4ĺE0`Kq﷯֗w*|NROQk-kޔJt)utGS±~SAƸ+7X%/`-XCu.wG^/A}&&A.a`W
&FQjƝ[nd+#8ಙ4Htk1R%7K˵4EC$G}UTy\-nu4U~f.tZha!fU	&/q#:~萠&lD/U˗!	ʲ?,mU-HYN7'o'>zSP#YN|;}c L___O^_&Wo^L~|\.D		Mߵ81Cq'w%^_NV{P0;M6wb9Yu|uJƾ[ػz{5
QZZ}{J/N51f$	fG.cBoECoAr~:~.Ku|Z]l?+TMXQRi;qPQH1.׉ͧ:b)岀#%|}Ø: dA ree
F ;mXI7f'kÂyCufqT6f+5U-%QK=WޥT%0iCjl"~kiCQ.e,n!!02'뽢pf"4;gArYbHNx*4:--L:r[9)HbQr\4TA#+\.ɛ ?$R{m*.)b⮻i4ij,N:n4zi]_ZŽ3e*qrM+ӲuŖFHYrEjO#ԇr5C
TdCB$ik%i3*Sj^TU0?%.	ݣ9R4n֪}n*< qX5Y+</0q9s\
>^fƙrׅ`EN|JN:p\Фq_}=e܋u<G&
F/I:mX0H,dWe.CXC/ei(OI't@m<X*~Dw;ۮ]
}PjZAa{Fmky^HKZB/1>
*Q㙛IiUҎ  V#Iˡ:?Rř yaεG*FG&;ёT
azh]Gm]ÂDb1ABvƶ
Iڂ"A!u\](Zs1Ne4G
+Lk/?0h'.﷟|,)]37\%SMgøN8|r;Z*Х[^AeHY-˵(ҴAV?¶~3OŞ\-_a`-W3@KU_y/c :|ku7(_noߺ#Mp){<d3zς=7}-H^TyHhu~1|n̿J*t%rx?7|c1%XQO)[iJ?!i4eP}=	>Z:tegW^~r69Q_ܝ1K
`LXfᱰG4`6D2xJ
("eE~^8]}
}	?5kLLYSaWN$\֛?;w2>w`ݏ!|'&;6ϱ5U;Pత^E͎ry^܅Lyٲ~(r_쏔,Ua~`ڙ;eR >}2{@VMLjwA?>R)GnGlN6y(N
OXL	Ả3JuFrwG9ΞEk7ZdYa(0VLBtN-k4 DX5/9:/xE5r	y	C>?SƝᘴ#gb=|+(}62*widS,/1k9$#HfxpYq`?՚aGz(QvӨ2&U膴$ċ9K֨Q]"$￠.{6錺:ig<q肍`(n&8rEw9WGS3L}uMGzM
MT@kWBy	=DS4R9>P\RKmcNumh)rue;EBأ>7ak>o5m҈`̣
B caUH{]Z`q9Fl@ ׺GƦ-i&Xß#k;8h0K6Z O~H`%;We/j;y∰@CC:Qr_88'^>ogE^Ja_a%09^+
P@
s¹|B1r3w̱G;"F(6#~Sힷ}rL3	"G\bwk]q"!{i)/5l.p~
EXL$$i{6Cn[-l7QoJCZ4]
RU$4&?W5Lt!S`ՇUabu,:\,@l/_$3U.A +%JH\3Us'т;M\wkXUdNBk5y&`?]-Q0Rю e\1&Pg7`.j{;oOy>y t.6NJ+xOo׆'ar:6&q;ΫCZx`>yOc8zҍ}z׫ D_$6iwpsZ`H_'޼|szP+.:HE{7
f䴤|['UD|sPd5HWn8/xl./\ǮyZEGc$6)xqWKǁ}m!T>ws\#v/W"v]ӹ5gҜqCn295rl{!ue}l?F,޵gw;a%Ur0winyF:=H~o 8U	L5Z~=^@G4S
U</;p?_1 %/jpbv3#ʔ7U[;cw0Wi7#A
|{z?
!0?k
MҦxNCtzUrj={p	H;C<Y]
qzpYyj0{EؖEfڜ7v;uU/nC?k)%5V雾ݜ                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  /.
/etc
/etc/default
/etc/default/hwclock
/etc/init.d
/etc/init.d/hwclock.sh
/sbin
/sbin/hwclock
/usr
/usr/bin
/usr/bin/fincore
/usr/bin/lsfd
/usr/bin/lsirq
/usr/lib
/usr/lib/udev
/usr/lib/udev/hwclock-set
/usr/lib/udev/rules.d
/usr/lib/udev/rules.d/85-hwclock.rules
/usr/share
/usr/share/bash-completion
/usr/share/bash-completion/completions
/usr/share/bash-completion/completions/fincore
/usr/share/bash-completion/completions/hwclock
/usr/share/bash-completion/completions/lsirq
/usr/share/doc
/usr/share/doc/util-linux-extra
/usr/share/doc/util-linux-extra/changelog.Debian.gz
/usr/share/doc/util-linux-extra/changelog.gz
/usr/share/doc/util-linux-extra/copyright
/usr/share/man
/usr/share/man/man1
/usr/share/man/man1/fincore.1.gz
/usr/share/man/man1/lsfd.1.gz
/usr/share/man/man1/lsirq.1.gz
/usr/share/man/man5
/usr/share/man/man5/hwclock.5.gz
/usr/share/man/man8
/usr/share/man/man8/hwclock.8.gz
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          .     ..    index.js[#  package.jsonU* 
index.d.ts                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            ލ  .     ..    commonjs esm                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       4#!/bin/sh
set -e

if [ "$(uname -s)" = "Linux" ]; then
	update-alternatives --install /usr/bin/pager pager /bin/more 50 \
		--slave /usr/share/man/man1/pager.1.gz pager.1.gz \
		/usr/share/man/man1/more.1.gz
fi

# Automatically added by dh_installsystemd/13.11.4
if [ "$1" = "configure" ] || [ "$1" = "abort-upgrade" ] || [ "$1" = "abort-deconfigure" ] || [ "$1" = "abort-remove" ] ; then
	# The following line should be removed in trixie or trixie+1
	deb-systemd-helper unmask 'fstrim.timer' >/dev/null || true

	# was-enabled defaults to true, so new installations run enable.
	if deb-systemd-helper --quiet was-enabled 'fstrim.timer'; then
		# Enables the unit on first installation, creates new
		# symlinks on upgrades if the unit file has changed.
		deb-systemd-helper enable 'fstrim.timer' >/dev/null || true
	else
		# Update the statefile to add new symlinks (if any), which need to be
		# cleaned up on purge. Also remove old symlinks.
		deb-systemd-helper update-state 'fstrim.timer' >/dev/null || true
	fi
fi
# End automatically added section
# Automatically added by dh_installsystemd/13.11.4
if [ "$1" = "configure" ] || [ "$1" = "abort-upgrade" ] || [ "$1" = "abort-deconfigure" ] || [ "$1" = "abort-remove" ] ; then
	if [ -d /run/systemd/system ]; then
		systemctl --system daemon-reload >/dev/null || true
		if [ -n "$2" ]; then
			_dh_action=restart
		else
			_dh_action=start
		fi
		deb-systemd-invoke $_dh_action 'fstrim.timer' >/dev/null || true
	fi
fi
# End automatically added section
# Automatically added by dh_installsystemd/13.11.4
if [ "$1" = "configure" ] || [ "$1" = "abort-upgrade" ] || [ "$1" = "abort-deconfigure" ] || [ "$1" = "abort-remove" ] ; then
	if [ -d /run/systemd/system ]; then
		systemctl --system daemon-reload >/dev/null || true
		if [ -n "$2" ]; then
			_dh_action=restart
		else
			_dh_action=start
		fi
		deb-systemd-invoke $_dh_action 'fstrim.service' >/dev/null || true
	fi
fi
# End automatically added section

                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     /etc/pam.d/runuser
/etc/pam.d/runuser-l
/etc/pam.d/su
/etc/pam.d/su-l
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          #!/bin/sh
set -e

case "$1" in
	remove)
		update-alternatives --remove pager /bin/more
		;;

	upgrade|failed-upgrade|deconfigure)
		;;

esac

# Automatically added by dh_installsystemd/13.11.4
if [ -z "${DPKG_ROOT:-}" ] && [ "$1" = remove ] && [ -d /run/systemd/system ] ; then
	deb-systemd-invoke stop 'fstrim.service' >/dev/null || true
fi
# End automatically added section
# Automatically added by dh_installsystemd/13.11.4
if [ -z "${DPKG_ROOT:-}" ] && [ "$1" = remove ] && [ -d /run/systemd/system ] ; then
	deb-systemd-invoke stop 'fstrim.timer' >/dev/null || true
fi
# End automatically added section

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

case "$1" in
	remove)
		;;

	purge)
		rm -f /etc/adjtime
		;;

	*)
		;;
esac

# Automatically added by dh_installsystemd/13.11.4
if [ "$1" = remove ] && [ -d /run/systemd/system ] ; then
	systemctl --system daemon-reload >/dev/null || true
fi
# End automatically added section
# Automatically added by dh_installsystemd/13.11.4
if [ "$1" = remove ] && [ -d /run/systemd/system ] ; then
	systemctl --system daemon-reload >/dev/null || true
fi
# End automatically added section
# Automatically added by dh_installsystemd/13.11.4
if [ "$1" = "purge" ]; then
	if [ -x "/usr/bin/deb-systemd-helper" ]; then
		deb-systemd-helper purge 'fstrim.timer' >/dev/null || true
	fi
fi
# End automatically added section

                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             9a3856c7a601d93a1ffbba4e6c95786f  bin/dmesg
ea16ed0fc9bc4c31906f00773f90968d  bin/findmnt
42cbd4dd877425d36a7b34774ee29872  bin/lsblk
792db406b532cafe1a5bd04508b44db8  bin/more
973ee5830dbd1f0895aaa7a088c33e51  bin/mountpoint
bf3f1799b2782402b9bbe1d16fba90e5  bin/su
b76759ae721112f27ff85d156723fb97  bin/wdctl
c1bbde6f9349415c9c754eccf309ff3f  lib/systemd/system/fstrim.service
1d8e2339c2fa7b5fc324ded6c6cc5d85  lib/systemd/system/fstrim.timer
a5b67b2c174d5671e2ef0ec17baff769  sbin/agetty
f54f4e4fb32ff11e641a53fb4b7d340f  sbin/blkdiscard
ce4c3fcdeb5562faa6f2bf36fa7c9fd8  sbin/blkid
7a02457c257bb2caad3728041f6a0788  sbin/blkzone
833f1b8fbcf72c111eff58d6c7e921e4  sbin/blockdev
49b7fcc5198e2c9178d8ca2ef1c770a9  sbin/chcpu
3263f297b314d477c0b7c229f067cf35  sbin/ctrlaltdel
1fa788d8e0971ac2b90dc2cec9b19cd7  sbin/findfs
bc0ea03ef7cba760e12d8746098c09be  sbin/fsck
44630d3fdd0b9e0106f5ac8d39b96b24  sbin/fsck.cramfs
a4b70445299b4f04947100421c392b47  sbin/fsck.minix
d7927ad5ca685c4e2a79cec0a6accca1  sbin/fsfreeze
3a17687b83de94978ee97b96aa14de6d  sbin/fstrim
516e69799dd243e637a4069dc91bebc3  sbin/isosize
c6753c9743df338222fede416eba0942  sbin/mkfs
bd71b253a61d08822ebf09668c7a9842  sbin/mkfs.bfs
4cf87626b2541349ec3388fa6e3363a4  sbin/mkfs.cramfs
fc4ee36f3ad1c508ef000316ffee42c0  sbin/mkfs.minix
d20bfa3c254fe1086fd9239771590f19  sbin/mkswap
381e6dd8c0ffbd4e7c712ef0d491b6b9  sbin/pivot_root
1663551c6124c6ce1b35119cda4c6c7f  sbin/runuser
674df164244a94718f20a69a670debad  sbin/sulogin
ab704754eff2232ba705d479aa72122e  sbin/swaplabel
537d2b69a384f1351593652c5c2ca366  sbin/switch_root
9c3ac8ad7d8956b31f54d70d02b4318e  sbin/wipefs
3424b6986f4de2a95ca0404a3f931552  sbin/zramctl
06a9327489720f56f2ad467c9623a78e  usr/bin/addpart
e8d21060ed6e449ab095a91a0e67e6a7  usr/bin/choom
3751793f69e38b36b3dc97b6260e9ea0  usr/bin/chrt
0e36a461e6896c2013c2cf87e39cb106  usr/bin/delpart
d0cfb990ebc861b80dd818d8f12df957  usr/bin/fallocate
c0c5f9e8c7bf35e00370be4b24f83ee0  usr/bin/flock
eef457620c2f5f2128ce4e99d32d7fcd  usr/bin/getopt
24b4aa3938debdca332fd806a29e8997  usr/bin/hardlink
3cdac158c9325343e646a6c7ca4f6402  usr/bin/ionice
644f461a2f5900d320fec97a1fd964d3  usr/bin/ipcmk
aefd60be36554402990bb2183b2de5cf  usr/bin/ipcrm
6d71c054f44280c16d7e9cd90f152944  usr/bin/ipcs
70b3c92ed4388d0fb5346a9a5a3294cb  usr/bin/last
04c0f685fc4d8e042a37374e00e268e2  usr/bin/lscpu
2b72f4612804079227ed9aaaf87e2d8f  usr/bin/lsipc
bfbbf1e5d37bd345e099f35d050a1d43  usr/bin/lslocks
2c51743c86d67f74bda4c067433b2b68  usr/bin/lslogins
d5e5261ca2d868ccc981402d8f7dd08f  usr/bin/lsmem
31584ddbe873328e440450153f525872  usr/bin/lsns
6f3b9e2ceab7778bc52f77dae88b5a35  usr/bin/mcookie
45de282c4b248d262a84a7e858f86047  usr/bin/mesg
b9c88ddfe32574ca98af0a2a2877d711  usr/bin/namei
7f7cfdce758b725f7f811c93d89a9431  usr/bin/nsenter
eed0061a18b42b00869fe0cb21928b54  usr/bin/partx
a9802594c288da2af4aab9c53b30e5c4  usr/bin/prlimit
9754355f23b5527b3706074b45621baa  usr/bin/rename.ul
a68596a42f1e53f780e35c7d1fad6be4  usr/bin/resizepart
b2aa039e521f6c6dba73494c96ecd563  usr/bin/rev
0fc4bbeef12f1c2bc5f8135dd8ce9bb0  usr/bin/setarch
c8225cc5bb8d846ea464077ec5c64671  usr/bin/setpriv
f11fb9f1c11e760234676682622681be  usr/bin/setsid
b8cbb8df89194463def876b76c98039a  usr/bin/setterm
62b5d3e08ba7d2176d1c83e3fdd8579a  usr/bin/taskset
30ef40e86743ae12afdd7a7b3655a46a  usr/bin/uclampset
f1b87ccdd364c0ed4fb0f02cdbcf0795  usr/bin/unshare
4bb602aece97bb3e6abd14b87925b781  usr/bin/utmpdump
e675530324bef793da32788e47cefb7d  usr/bin/whereis
20ba0e37d8aa11d91a8e776e29591736  usr/lib/mime/packages/util-linux
c64cc998260229c4324fa42b8df9ee32  usr/sbin/chmem
b5daf215862ccfc05e97c57bc7e320db  usr/sbin/ldattach
1dad43f44e82e1117dac3c32fb733b2b  usr/sbin/readprofile
ec198cd4bcc85441893158baa09180e5  usr/sbin/rtcwake
0bfbf9edd511b77356e4053a40e32c99  usr/share/bash-completion/completions/addpart
29f6d68b75690ffb93a8f321bb7e334d  usr/share/bash-completion/completions/blkdiscard
b40cab924c01f098008ac90ec0b7ddb0  usr/share/bash-completion/completions/blkid
67a70ec3641f58dbf504ca9fbc27ef02  usr/share/bash-completion/completions/blkzone
45d92b0f5f55c9911cac95e224432574  usr/share/bash-completion/completions/blockdev
67eccc80f94f42c1f5fe8f3482c5e4ca  usr/share/bash-completion/completions/chcpu
4138b30d94949a43c9492558131ac749  usr/share/bash-completion/completions/chmem
e5e26a7716efd36ab0bcf97388d33073  usr/share/bash-completion/completions/chrt
a731d297f41ae7574661a9b0148dabb9  usr/share/bash-completion/completions/ctrlaltdel
17c0545bd8baaaa45beac857aabcb6aa  usr/share/bash-completion/completions/delpart
008aa30ecd175bce51e5bb67b9335d51  usr/share/bash-completion/completions/dmesg
4d95b7457fc190891a92045f8d036c92  usr/share/bash-completion/completions/fallocate
1737382da82d4b70b15c40171ecd820e  usr/share/bash-completion/completions/findfs
33ae7aa495262932fffe7e5480ce4e6b  usr/share/bash-completion/completions/findmnt
dc5f9519eabc73ba49994b9a7e4c5c02  usr/share/bash-completion/completions/flock
453f8a7968e1cf28b7b0596dc200a903  usr/share/bash-completion/completions/fsck
ec75a9dc57497410b4af8d38c8fd7320  usr/share/bash-completion/completions/fsck.cramfs
3d3e71da972eabe7b3452de8d4d7bb8e  usr/share/bash-completion/completions/fsck.minix
48a27f7032273b204e63616db07aec25  usr/share/bash-completion/completions/fsfreeze
a3d1199321e788d10856ff3f0017e44e  usr/share/bash-completion/completions/fstrim
4108e4e53c764a63f13edca5cce1b62d  usr/share/bash-completion/completions/getopt
20a23b64027a1d297ff81711a413e69c  usr/share/bash-completion/completions/hardlink
8d8f3564c59586d1f938845fb6d854e8  usr/share/bash-completion/completions/ionice
9c0f92933f7c22bdad5eb043a2fb4d1b  usr/share/bash-completion/completions/ipcmk
0e891be2f2b92548de3db2961170ae66  usr/share/bash-completion/completions/ipcrm
ccb973b1a6bd0b550ac9c06eb31148ca  usr/share/bash-completion/completions/ipcs
f5b29d1e692a84280d3ffc002d40107b  usr/share/bash-completion/completions/isosize
1cf5de014ea7f2c338bdab9d4b37d5a5  usr/share/bash-completion/completions/last
541ec3db05bb8f7362f484cbc418545d  usr/share/bash-completion/completions/ldattach
b6688e89400d84fb2cf2b830d6fed601  usr/share/bash-completion/completions/lsblk
81e40589bcebdca3bd3fefd3a400b739  usr/share/bash-completion/completions/lscpu
789b5032afd7aa0d3e2eaec94052782a  usr/share/bash-completion/completions/lsipc
449715fad8493dc012dae754e8609639  usr/share/bash-completion/completions/lslocks
2482b2d891280fc0ab2e8e8a73c6573b  usr/share/bash-completion/completions/lslogins
2d24da8ace7952aca61e16a7a724969e  usr/share/bash-completion/completions/lsmem
81adf21ae2162369e92837a2fd20f71e  usr/share/bash-completion/completions/lsns
edf667c11e7cdf8b7fbc51bbc2b42eb1  usr/share/bash-completion/completions/mcookie
175bc9b8c2aadd99472825ce5ded8050  usr/share/bash-completion/completions/mesg
008885e5a2f49953daac95bb903322c5  usr/share/bash-completion/completions/mkfs
505d08bba4667a8fc9480a3cb2ba0684  usr/share/bash-completion/completions/mkfs.bfs
7782bb88176297ed4dfd98a209d161ad  usr/share/bash-completion/completions/mkfs.cramfs
9efba1f8dd78fec2cce13eb536532e78  usr/share/bash-completion/completions/mkfs.minix
de50db74e2d0675c3edcd0bafb886f18  usr/share/bash-completion/completions/mkswap
4ee305b5f622b3e3ac2bf4b7228ef809  usr/share/bash-completion/completions/more
36b7c58695e45baece44cfcc281cf32c  usr/share/bash-completion/completions/mountpoint
cbde0f857141d18d3e92fa6c10a810c7  usr/share/bash-completion/completions/namei
0a27ccc1693be1588747be8c46d861f7  usr/share/bash-completion/completions/nsenter
f7cd7b91055bcf666a1b3dd35aff8bf5  usr/share/bash-completion/completions/partx
5676a64e6ac089a1fe610cc254a83445  usr/share/bash-completion/completions/pivot_root
5cd9cfbf7cbe8aa70fb55bbd2332c5e2  usr/share/bash-completion/completions/prlimit
34b415c5a23e820da70f269f312407cc  usr/share/bash-completion/completions/readprofile
ebf08bdd27c0c1607e3db4eda78334e0  usr/share/bash-completion/completions/resizepart
6ef5a3547b5bb7e12751a934a9eca9da  usr/share/bash-completion/completions/rev
95b48054ab4f6a2cbe9acb1b9361caad  usr/share/bash-completion/completions/rtcwake
ed28c8342906c24c0e9ad62be275def5  usr/share/bash-completion/completions/setarch
5264b84e4a151a6da13fe17103a4b262  usr/share/bash-completion/completions/setpriv
67d1a78fb6e0a2dbefbe26c6db3aef6a  usr/share/bash-completion/completions/setsid
8a8030b7c803beeeef30b15f210d1018  usr/share/bash-completion/completions/setterm
ec7a8c7f5232bb19dbacb02c149f7082  usr/share/bash-completion/completions/su
5f8483ea33ba62554b1cd911e107d82d  usr/share/bash-completion/completions/swaplabel
11f081f4a9573a44cb830580e33e0739  usr/share/bash-completion/completions/taskset
371390f97ce4a95b37ba13d4fbe02a4a  usr/share/bash-completion/completions/uclampset
1b02be4cc52094b42e2459b708de191b  usr/share/bash-completion/completions/unshare
e5e08df29f3d46d637fb126b4611de88  usr/share/bash-completion/completions/utmpdump
62e826654da6afa39f68a8c1799c1e65  usr/share/bash-completion/completions/wdctl
1435046347b9ac6d50d26a30c9f10a37  usr/share/bash-completion/completions/whereis
72ea016d4ba85000e3fcfc88c7694231  usr/share/bash-completion/completions/wipefs
55c698798037c87b69586a3617cc5242  usr/share/bash-completion/completions/zramctl
5dadd5ee4dd290ccba49089e5f12421f  usr/share/doc/util-linux/00-about-docs.txt
af1b62df175573c864b5564f58e15a02  usr/share/doc/util-linux/AUTHORS.gz
5f4e4c7eb24d92bc5bbfcc7d26ac8bc1  usr/share/doc/util-linux/PAM-configuration.txt
53ee7049960e859f688d2b642fd14c15  usr/share/doc/util-linux/README.Debian
f7b723f48494e6e82d5d8bc27b7fae6e  usr/share/doc/util-linux/blkid.txt
af531da50f2d812c94b54faf9d274e79  usr/share/doc/util-linux/cal.txt
dee6fbe6c61974a0860a2a2a7362d29f  usr/share/doc/util-linux/changelog.Debian.gz
0bb7fd1ae3732779966184f543b8a91e  usr/share/doc/util-linux/changelog.gz
f5292bbdd8dd1064eb61c553b4d52f67  usr/share/doc/util-linux/col.txt
353888f385cfb82eb97a693e78f3cc9b  usr/share/doc/util-linux/copyright
f9ddd8222df0853d9b956a3c87fc8da8  usr/share/doc/util-linux/deprecated.txt
de17051a7d5936a2e626d71cd621b269  usr/share/doc/util-linux/examples/getopt-example.bash
b566ef7c8899bde4b2925be412639d25  usr/share/doc/util-linux/examples/getopt-example.tcsh
bee83181cd8cd189015e5f226951aaa4  usr/share/doc/util-linux/getopt.txt
bbfeb78b7be3381af6aa2597035e0819  usr/share/doc/util-linux/getopt_changelog.txt
070c55d3892a745e20d080886c57046f  usr/share/doc/util-linux/howto-build-sys.txt
6f625a6d407c900e3388f1797fd3e69c  usr/share/doc/util-linux/howto-compilation.txt
29b0bfb60f46cb16287255643946411a  usr/share/doc/util-linux/howto-contribute.txt.gz
9ef9dc1aa0c4c2813f5221ff4bb4aa26  usr/share/doc/util-linux/howto-debug.txt
37b465aa12b4e3afda4e990264e5c22c  usr/share/doc/util-linux/howto-man-page.txt
5ad4bf0251d34263ab54dc3b7adffb28  usr/share/doc/util-linux/howto-pull-request.txt.gz
8bbd530fa9adf2cd1a74683568eb7eec  usr/share/doc/util-linux/howto-tests.txt
05930f73790ed6df5feda7dc97a4274a  usr/share/doc/util-linux/howto-usage-function.txt.gz
5a3208896aac380e1ca70b7517cdafb5  usr/share/doc/util-linux/hwclock.txt
e755b2a0caedf559f6229c074e7518f6  usr/share/doc/util-linux/modems-with-agetty.txt
a57b70b42bf92daae75a130e14c60bc9  usr/share/doc/util-linux/mount.txt
84c5ba4e483251d234ed5605a8014679  usr/share/doc/util-linux/parse-date.txt.gz
dc2504b2c2383a63e11e85329d7c33b9  usr/share/doc/util-linux/pg.txt
1d5b70c978dad4d8d04aac2fd7b0093a  usr/share/doc/util-linux/poeigl.txt.gz
9c52160f9249ddf8426cb3dcc5fb7e9a  usr/share/doc/util-linux/release-schedule.txt
4e489e0d897c549764fefc89bf160990  usr/share/doc/util-linux/releases/v2.13-ReleaseNotes.gz
146056e59c5dce7b2228c35c4bc1ab26  usr/share/doc/util-linux/releases/v2.14-ReleaseNotes.gz
e0b6d3573beda37610951769aea88481  usr/share/doc/util-linux/releases/v2.15-ReleaseNotes.gz
02c2b2bf5bed242f1615fc0b4fa72f3c  usr/share/doc/util-linux/releases/v2.16-ReleaseNotes.gz
84139ab90f2d71d395f28eb62f72d128  usr/share/doc/util-linux/releases/v2.17-ReleaseNotes.gz
bcfe0fa1a80ce8961e96b7f2f808851c  usr/share/doc/util-linux/releases/v2.18-ReleaseNotes.gz
3b27cadd9570f650c03d9160da97f90f  usr/share/doc/util-linux/releases/v2.19-ReleaseNotes.gz
a8a41adac223fe6d06562f2d96775ffb  usr/share/doc/util-linux/releases/v2.20-ReleaseNotes.gz
530fc90989fecda3d838d4601f38ac0a  usr/share/doc/util-linux/releases/v2.21-ReleaseNotes.gz
aa1728a130b4e9809205fdf724e5db5e  usr/share/doc/util-linux/releases/v2.22-ReleaseNotes.gz
3a45df0152f7443a55850d006d7f9813  usr/share/doc/util-linux/releases/v2.23-ReleaseNotes.gz
0a50f9dda174956205ef0487f330457c  usr/share/doc/util-linux/releases/v2.24-ReleaseNotes.gz
b62385020a47877c93fd154b38024b13  usr/share/doc/util-linux/releases/v2.25-ReleaseNotes.gz
c674cfbcf007e4bf60f95479079dbfe5  usr/share/doc/util-linux/releases/v2.26-ReleaseNotes.gz
1a2bfd5f557664fba71fde85a9357d86  usr/share/doc/util-linux/releases/v2.27-ReleaseNotes.gz
d4a70855fad53e92bf6ed25e7fef399c  usr/share/doc/util-linux/releases/v2.28-ReleaseNotes.gz
0eece5266d893cf8a2115b7cbe54826a  usr/share/doc/util-linux/releases/v2.29-ReleaseNotes.gz
906c2b343d1f407d1496b6e42bf5bf8a  usr/share/doc/util-linux/releases/v2.30-ReleaseNotes.gz
a372e981f20d71ebd21224a57ca984f8  usr/share/doc/util-linux/releases/v2.31-ReleaseNotes.gz
eada85c83d8d00a342b194909a1c68f0  usr/share/doc/util-linux/releases/v2.32-ReleaseNotes.gz
05262903f507193ee248e1133f3423aa  usr/share/doc/util-linux/releases/v2.33-ReleaseNotes.gz
0f99e2ac09bca9c3c85d9ab3c1d155c2  usr/share/doc/util-linux/releases/v2.34-ReleaseNotes.gz
04b7ca330f3b227d8c04633fe5de6e28  usr/share/doc/util-linux/releases/v2.35-ReleaseNotes.gz
a5fd9aa82f18c85b78221e544a08dc9c  usr/share/doc/util-linux/releases/v2.36-ReleaseNotes.gz
662cadb909ee3a131eb1204e3dfeaf84  usr/share/doc/util-linux/releases/v2.37-ReleaseNotes.gz
a63398b7afc92094f0a76aaf00eaa3a4  usr/share/doc/util-linux/releases/v2.38-ReleaseNotes.gz
c8c74df7c9b2da61e91811e2cab59ef7  usr/share/doc/util-linux/releases/v2.38.1-ReleaseNotes.gz
9d1610e3b3cb00e551ac5f332904c1e4  usr/share/lintian/overrides/util-linux
be5eda4a0b1756e274b5c3e0cadeecf4  usr/share/man/man1/choom.1.gz
175f376457f6363338e8ba26d43647e0  usr/share/man/man1/chrt.1.gz
a7e58ba0319cdaade1a28b89c73a34e2  usr/share/man/man1/dmesg.1.gz
d5e8399a5761097e4a8e9891b40dc17d  usr/share/man/man1/fallocate.1.gz
27b084f9ad8c7ded4c23b493ab49212f  usr/share/man/man1/flock.1.gz
81789c1d5506348fb0d033af4571b502  usr/share/man/man1/getopt.1.gz
2be97c19cc85cb0be17aa593f0d28ed7  usr/share/man/man1/hardlink.1.gz
ff18b1c10faa11b1bc590bdc9fc4de5b  usr/share/man/man1/ionice.1.gz
6e6ca6711cd561bf283aee21af15d7eb  usr/share/man/man1/ipcmk.1.gz
afd75fba2ac6d5f371e91dc2fddcb0ad  usr/share/man/man1/ipcrm.1.gz
d013ebbc61a0d649f5209199c4afffc8  usr/share/man/man1/ipcs.1.gz
de6b79211d6fbd7383cf7b544dda9f4c  usr/share/man/man1/last.1.gz
791f732c82e24db981f0807342f70bf2  usr/share/man/man1/lscpu.1.gz
4f4d2e4ed8fc860b945489981b63e00b  usr/share/man/man1/lsipc.1.gz
0d04d5371153aa2bc079458884c33035  usr/share/man/man1/lslogins.1.gz
9c0758a76a0f85b3bf9eee520a1723f4  usr/share/man/man1/lsmem.1.gz
a5ee15c6bab2d3658e7449463b7e83c9  usr/share/man/man1/mcookie.1.gz
47800eceef8e651c7c61f57030306f09  usr/share/man/man1/mesg.1.gz
493fc45eb22a343bbbe2e39c853e2ffa  usr/share/man/man1/more.1.gz
02d5f6d912638ace2cb745f0a1ddc8b7  usr/share/man/man1/mountpoint.1.gz
9ac0f1aa981c53e047bd447170f6a81d  usr/share/man/man1/namei.1.gz
eb0506e836fc98e0898435bb834d1258  usr/share/man/man1/nsenter.1.gz
6c92454adca9c06746f99d174c89c806  usr/share/man/man1/prlimit.1.gz
bb285cfb09e155be331f01b6c59cd235  usr/share/man/man1/rename.ul.1.gz
f8573dce60bda80d0348ba754b06cecb  usr/share/man/man1/rev.1.gz
1dfcf99a4ca13e75be21fe287528377c  usr/share/man/man1/runuser.1.gz
0e701443eceb8de5b13fba1aa2a670d0  usr/share/man/man1/setpriv.1.gz
e132968231d9283430bd0af89f1408eb  usr/share/man/man1/setsid.1.gz
553640dca1623908dcfaa8ca5678080c  usr/share/man/man1/setterm.1.gz
8cf04e2a0f659a45f70d32d2f05518a5  usr/share/man/man1/su.1.gz
0e46ba556b430719a914d1ac8b78cffe  usr/share/man/man1/taskset.1.gz
9ed26ec9b112586089ae08008f87e1b5  usr/share/man/man1/uclampset.1.gz
aa72fbc173aa84ef753e3088e0142d75  usr/share/man/man1/unshare.1.gz
b24d7a969dab41fff96372b8e274609d  usr/share/man/man1/utmpdump.1.gz
1feb174d13ec9d2dba25ad33e3e0aeb6  usr/share/man/man1/whereis.1.gz
29f801d94cea6a04502b90f1589cc03b  usr/share/man/man5/adjtime_config.5.gz
ccfc30a14cf8771cc29a3fea074c833b  usr/share/man/man5/terminal-colors.d.5.gz
3a38de30975160391d316600076287a2  usr/share/man/man8/addpart.8.gz
493710ffb412462253f31ea41889346e  usr/share/man/man8/agetty.8.gz
c62a0d6ab5e8d20603bc1e8c5aabb7c1  usr/share/man/man8/blkdiscard.8.gz
c5761422b0f9dec715564b44bbdba1d1  usr/share/man/man8/blkid.8.gz
29a5e2eb3f6b3abd6f701e712b623053  usr/share/man/man8/blkzone.8.gz
4f590e80196f3a6a33892d62400650b0  usr/share/man/man8/blockdev.8.gz
aaccce8967001511ee5542d58b51d164  usr/share/man/man8/chcpu.8.gz
1636ac49a2700a27d8d7be839f2ca6a9  usr/share/man/man8/chmem.8.gz
ecf8f6238402ab81a3febe798c7035bf  usr/share/man/man8/ctrlaltdel.8.gz
365ac55c783119bd917232f823d25cdb  usr/share/man/man8/delpart.8.gz
e5db2ca7ef9b80a69ce47389481f9c3f  usr/share/man/man8/findfs.8.gz
9934765d3cfbaa050618d3712d1ac445  usr/share/man/man8/findmnt.8.gz
29811521d5ac1424e44194903cd0eb16  usr/share/man/man8/fsck.8.gz
08fdd0b988d1a2f13d05b81c927de04a  usr/share/man/man8/fsck.cramfs.8.gz
0015de5c3a6920ec6e8aa9393f637ba1  usr/share/man/man8/fsck.minix.8.gz
eabab747c9e38e8a58fd536bae08492c  usr/share/man/man8/fsfreeze.8.gz
bb83749d7608cf608148de6ce36c99f1  usr/share/man/man8/fstrim.8.gz
478ff6045a2655ca5eabf53ea6c11329  usr/share/man/man8/isosize.8.gz
ebe6d15a0979cb64683ecc46b4d04a7d  usr/share/man/man8/ldattach.8.gz
0d0fdb1aa346c6df8de26894460a2dcb  usr/share/man/man8/lsblk.8.gz
d50a4183c0932d42cbcb667d16fd14ac  usr/share/man/man8/lslocks.8.gz
2eeb9ccb1ef0fdb23539714f2fd50ff3  usr/share/man/man8/lsns.8.gz
75bc9982da88f118e3dcc4a9d0c48f1d  usr/share/man/man8/mkfs.8.gz
a12455e25499351b917fe788a3d0dcce  usr/share/man/man8/mkfs.bfs.8.gz
dd8e45f4f9b16a23fe96228229b0d43e  usr/share/man/man8/mkfs.cramfs.8.gz
fbf949bcdf8cd7bf80c06bc0b62bfe34  usr/share/man/man8/mkfs.minix.8.gz
194a117ed129f38a65f3003750b1f1f9  usr/share/man/man8/mkswap.8.gz
d599e0b4a2a333e5872ed0b81ad058fa  usr/share/man/man8/partx.8.gz
efd8781de65ba3a2eb61662f5cc3f422  usr/share/man/man8/pivot_root.8.gz
9c2f2e9e9bcfac7fdd39fcfba77b3482  usr/share/man/man8/readprofile.8.gz
c457980e5229fbe10103b3f59dac9aed  usr/share/man/man8/resizepart.8.gz
8521cc770be7c56c14af7d57815bd438  usr/share/man/man8/rtcwake.8.gz
301d3ecb6f34cb5e679191a1b2c55b12  usr/share/man/man8/setarch.8.gz
132854be5f6aa4b1c45bd27c769b84a9  usr/share/man/man8/sulogin.8.gz
2ec00344a9aeda3bd9b39fdba27254d7  usr/share/man/man8/swaplabel.8.gz
b1dfd239e66fd3b2e8284b23440ec131  usr/share/man/man8/switch_root.8.gz
f5818eac11badc9015fa82ba7a819c15  usr/share/man/man8/wdctl.8.gz
6d9aeb49e3d477188ebb2166df576903  usr/share/man/man8/wipefs.8.gz
58c407f4f8ea3e12169c913d716657ee  usr/share/man/man8/zramctl.8.gz
0d1444e5e8b9f24cf7e87225e63d6cfd  usr/share/util-linux/logcheck/ignore.d.server/util-linux
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           recated L L@	8Use Array.create_float/ArrayLabels.create_float instead. M M@@ M M@@@@@ L@@G$init @@@ @Z@@@@ @Y!a @K@ @X@@ @W@ @V@ @U@ P
B
B P
B
k@@H+make_matrix @@@ @T@@@ @S@!a @E<@@@ @R@@ @Q@ @P@ @O@ @N@= Z> Z&@@<I-create_matrix @2@@ @M@8@@ @L@!a @=_c@@ @K@@ @J@ @I@ @H@ @G@` g88a i@0ocaml.deprecatedg hoth ho@	6Use Array.make_matrix/ArrayLabels.make_matrix instead.r is i@@u iv i@@@@@x hoq@@vJ&append @!a @5@@ @F@@@ @E@@ @D@ @C@ @B@ l l4@@K&concat @$listI!a @/@@ @A@@ @@
@@ @?@ @>@ r r@@L#sub @Š!a @)@@ @=@@@ @<@@@ @;ڠ@@ @:@ @9@ @8@ @7@ uUU uU@@M$copy @!a @#@@ @6	@@ @5@ @4@ ~ ~@@N$fill @!a @@@ @3@@@ @2@@@ @1@@@ @0@ @/@ @.@ @-@ @,@ 33 3b@@O$blit @#!a @@@ @+@@@ @*@4@@ @)@@@ @(@$@@ @'@@ @&@ @%@ @$@ @#@ @"@ @!@@ 77A qy@@?P'to_list @R!a @
@@ @ 	@@ @@ @@W NNX No@@VQ'of_list @ !a @@@ @r	@@ @@ @@n o @@mR$iter @@!a @'@@ @@ @@@@ @2@@ @@ @@ @@  @@S%iteri @@@@ @@!a @K@@ @@ @@ @@@@ @V@@ @@ @@ @
@ VV V@@T#map @@!a @!b @@ @@Π@@ @Ӡ@@ @
@ @	@ @@  K@@U$mapi @@@@ @@!a @!b @@ @@ @@@@ @@@ @@ @@ @@  2@@V)fold_left @@!a @@!b @
@ @ @ @@@@@ @@ @@ @@ @@  @@W-fold_left_map @@!a @@!b @
!c @@ @@ @@ @@@<@@ @E@@ @@ @@ @@ @@ @@A B @@@X*fold_right @@!b @@!a @@ @@ @@a@@ @@

@ @@ @@ @@_ aa` a@@^Y%iter2 @@!a @@!b @@@ @@ @@ @@@@ @@@@ @0@@ @@ @@ @@ @@ II I@@Z$map2 @@!a @@!b @!c @@ @@ @@@@ @@@@ @@@ @@ @@ @@ @@  F F  F @@['for_all @@!a @$boolE@@ @@ @@֠@@ @
@@ @@ @@ @@ !! !"@@\&exists @@!a @ @@ @@ @@@@ @+@@ @@ @@ @@ "" ""@@](for_all2 @@!a @@!b @D@@ @@ @@ @@@@ @@@@ @V@@ @@ @@ @@ @@ ##  ##@@^'exists2 @@!a @@!b @o@@ @@ @@ @@C@@ @@J@@ @@@ @@ @@ @@ @@J $z$zK $z$@@I_#mem @!a @@b
@@ @@@ @@ @@ @@b %N%Nc %N%n@@a`$memq @!a @@z
@@ @@@ @@ @@ @@z &&{ &&?@@ya(find_opt @@!a @@@ @@ @@@@ @&optionJ@@ @@ @@ @@ && &&@@b(find_map @@!a @z!b @x@@ @@ @@@@ @&@@ @@ @@ @@''''@@c%split @Ѡ!a @p!b @r@ @@@ @@@ @@@ @@ @@ @@((((@@d'combine @!a @i@@ @@!b @j@@ @

@ @@@ @@ @@ @@
)N)N)N)@@e$sort @@!a @a@
@@ @@ @@ @@-@@ @@@ @@ @@ @@-*D*D.*D*t@@,f+stable_sort @@!a @Y@*@@ @@ @@ @@M@@ @@@ @@ @@ @@M1..N1..@@Lg)fast_sort @@!a @Q@J@@ @@ @@ @@m@@ @@@ @@ @@ @@m;0k0kn;0k0@@lh&to_seq @!a @K@@ @&Stdlib#Seq!t@@ @@ @@B11B119@@i'to_seqi @!a @G@@ @#Seq!t@@ @@ @@@ @@ @@G11G11@@j&of_seq @6#Seq!t!a @A@@ @ʠ	@@ @~@ @}@M22M22@@k*unsafe_get @ؠ!a @<@@ @|@@@ @{@ @z@ @y1%array_unsafe_getBAĠ@@@@W33W33@@l*unsafe_set @!a @7@@ @x@@@ @w@
@@ @v@ @u@ @t@ @s1%array_unsafe_setCA@@@@@X33X34
@@m*Floatarray A@-Stdlib__Array@Z44b55@t@g@@AF@@BK@@8`@@AG@@LI@@ABCE@@RX@@A
Z@@c@@AB?J@@^@@A]@@BC=R@@"S@@AT@@W@@AEY@@'includeA@@ABCDEBC@@N@@U@@ABO@@yB@@AC/D@@P@@V@@ABQ@@[@@A\@@BCDM@@f@@AMa@@B_@@0b@@ACH@@!L@@Ad@@e@@ABDEF@@g@@         
   &./boot(./stdlib@   F^  b  2X  1  , 
/Stdlib__Complex&_none_@@ AA"??A@@@@@@@@@@@  , 
	A"??A@*floatarrayQ  8 @@@A@@@@@=@@@5extension_constructorP  8 @@@A@@@@@A@@@#intA  8 @@@A@@@@@E@A@$charB  8 @@@A@@@@@I@A@&stringO  8 @@@A@@@@@M@@@%floatD  8 @@@A@@@@@Q@@@$boolE  8 @@%false^@@[@$true_@@a@@@A@@@@@b@A@$unitF  8 @@"()`@@l@@@A@@@@@m@A@
#exnG  8 @@AA@@@@@q@@@%arrayH  8 @ @O@A@A@ @@@@@z@@@$listI  8 @ @P@A"[]a@@@"::b@@ @Q@@@
@@A@Y@@@@@@@@&optionJ  8 @ @S@A$Nonec@@@$Somed@@@@@A@Y@@@@@@@@&lazy_tN  8 @ @U@A@A@Y@@@@@@@@)nativeintK  8 @@@A@@@@@@@@%int32L  8 @@@A@@@@@@@@%int64M  8 @@@A@@@@@@@@:Undefined_recursive_module]    Z@@@ @J@@ @@@ @V@@Aנ=ocaml.warn_on_literal_patternې@@.Assert_failure\    @@ @X@@A砰@
0Division_by_zeroY    '@@@A@+End_of_fileX    /@@@A @)Sys_errorW    7@3@@A )(@.Sys_blocked_io[    @@@@A10@)Not_foundV    H@@@A98@'FailureU    P@L@@ABA@0Invalid_argumentT    Y@U@@A"K%J%@.Stack_overflowZ    b@@@A*S-R-@-Out_of_memoryS    j@@@A2[5Z5@-Match_failureR    r@qmn@ @c@@A@iChC@
%bytesC  8 @@@A@@@@@G@@@&Stdlib!t QA  8 @@"re R@@@ @*complex.mlRNYRNc@@]A"im S@@@ @
RNdRNm@@iB@AA@@@@@RNNRNo@@@@m@$zero T)@@ @)B@%@TquTqy@@zC#one U
@@ @9B@5@*U+U@@D!i V@@ @IB@E@6V7V@@E#add W@)@@ @B@V@2@@ @B@]7@@ @gB@^@ @_B@W@ @XB@U@TXUX@@F#sub [@G@@ @B@@P@@ @B@U@@ @B@@ @B@@ @B@@rZsZ@@I#neg _@e@@ @2B@j@@ @B@@ @B@@\DH\DK@@L$conj b@z@@ @\B@9@@ @CB@:@ @;B@8@^pt^px@@N#mul e@@@ @
B@c@@@ @B@j@@ @tB@k@ @lB@d@ @eB@b@``@@P#div i@@@ @#B@@@@ @B@ @@ @B@!@ @"B@@ @B@@cc	@@4S#inv q@@@ @GB@0@@ @FB@1@ @2B@/@oSWoSZ@@IZ%norm2 t@@@ @B@P%floatD@@ @fB@Q@ @RB@O@qjnqjs@@a\$norm w@@@ @B@@@ @B@@ @B@@ss@@w^#arg ~@@@ @B@.@@ @B@@ @B@@1}2}@@d%polar @?@@ @	JB@@I@@ @	VB@	4@@ @	B@	@ @	B@@ @	 B@@QR@@f$sqrt @D@@ @B@	bI@@ @	B@	c@ @	dB@	a@f A	
	g A	
	@@i#exp @Y@@ @`B@^@@ @B@@ @B@@{ R| R@@p#log @n@@ @B@is@@ @sB@j@ @kB@h@ Ucg Ucj@@s#pow @@@ @B@@@@ @B@@@ @B@@ @B@@ @B@@ W W@@
u@}D@@M@@AB/G@@I@@UP@@ABC@@J@@EQ@@ABCD%H@@SF@@AL@@K@@ABB@@N@@A>R@@O@@AB}E@@A@@ACDE@@R@  , 
1 W WAA3Stdlib__Complex.powA@0/@@  , 	7 Uck UcAA3Stdlib__Complex.logA@65@@  , 	= R S!aAA3Stdlib__Complex.expA@<;@@  , 	C A	
	 PAA4Stdlib__Complex.sqrtA@BA@@  , 	I	AA5Stdlib__Complex.polarA@HG@@  , 	O}}AA3Stdlib__Complex.argA@NM@@  , 	Us{AA4Stdlib__Complex.normA@TS@@  , 	[qjtqjAA5Stdlib__Complex.norm2A@ZY@@  , 	|a	oS[
oShAA3Stdlib__Complex.invA@`_@@  , 	dgc
m,QAA3Stdlib__Complex.divA@fe@@  , 	Tm`a AA3Stdlib__Complex.mulA@lk@@  , 	Ds^py^pAA4Stdlib__Complex.conjA@rq@@  , 	4y!\DL"\DnAA3Stdlib__Complex.negA@xw@@  , 	$'Z(ZBAA3Stdlib__Complex.subA@~}@@  , 	-X.X
AA3Stdlib__Complex.addA@@@  , 3X@AA@@@  , 7X8X@A@@C@iD@yB	EX@!x Y	@JX@@G!y Z@PXQX@@H@B@@AA@@B@@C@  , $[X@A-A@@@  , _X(@A1A@@@  , cXdX@`@@C@D@<B,B@  , ǰoX @AAA@@@  , ˰sX@AEA@@@  , D@G@6#B@  , ѰyZR@AQA@@@  , հ}Z!~Z-@@@C@D@\B1Zd@!x ]1@iZ@@J!y ^.@ZZ@@K@B@@AA@@B@@C@  , x$Z%@AyA@@@  , lZ)(@A}A@@@  , `Z4Z@@@@C@D@B,B@  , X
Z8@AA@
	@@  , LZ<@AA@
@@  , @D@@6#B@  , ,\DP@AA@@@  , $\DW\D^@@@C@D@AX\DD@!x aX@\DM@@0M+@	A@@A@@B@  , 5\DZ@AA@21@@  , 9\De\Dl@@@C@$D@.ƐA>A@  , E\Dh@AA@BA@@  , I2@@$DA@  , K^p}@AA@HG@@  , O^p^p@AA@ML@@  , T^p^p@@@C@ND@XAJ|	^pp@!x d|@^pz@@iOd@	A@@A@@A@  , n^p@AA@kj@@  , r'@@m	A@  , t`@AA@qp@@  , x `!`@*@@C@vD@Bp.`@!x g@3`@@Q!y h@9`:`@@R@B@@AA@@B@@C@  , $D`@L@@D@D@E@7B&D@  , 2R`@A<A@@@  , V`@A@A@@@  , Z`:@b@@D@D@E@MB<)C@  , h`@ARA@@@  , İl`L@AVA@@@  , tȰpaqa@m@@C@D@aBP=B@  , l԰|a@@@D@D@E@oB^KC@  , da@AtA@@@  , Xa@AxA@@@  , La"@@@D@D@E@BtaB@  , Da@AA@@@  , 8a4@AA@@@  , , @@~kB@  , l@AA@@@  , ll*@@@C@D@Bc@!x k@c@@T!y l@cc
@@%U!r o@@ @QC@A@jj@@2X!d p@@ @nC@^@kk@@>Y9@D@@AC@@B-B@@)A@@AC@@E@  , ICl%@@@D@D@E@BEPF@  ,  Wl l@@@E@E@F@BS^%G@  , e
l@AA@ba@@  , il l$@AA@gf@@  , nm,7m,O@@@C@D@
Bhs:D@  , z"m,J@1@@D@D@&E@BuGE@  , /m,80m,A@@@E@E@ F@(BUF@  , =m,=@A-A@@@  , Am,EBm,I@A2A@@@  , @4A`DA  , JkKk@A;B@f@AedB@@C  , 
Tk@ADA@@@  , Xk@@@D@oD@E@PBC@  , ek@AUA@@@  , xikZ@@YACA  , tǰojpj@A`Bư@@A@B@@B  , lѰ
yj@AiA@@@  , `հ}j@AmA@@@  , Tٰjr@@qAB@  , Lݰgx|h@AvA@@@  , Dgxgx@@@C@D@Bܠ!r m@@ @fC@V@e;Ce;D@@V!d n@@ @C@s@fW_fW`@@W@D@@AC@@B@@AC@@E@  , <-gx@@@D@D@E@B.F@  , 4gxgx@AA@@@  , (!gxgx@8@@E@E@F@BA('F@  , /gx@AA@,+@@  , 3hh@@@C@D@ҐBQ87D@  , ?h@@@D@
D@<E@ߐB^EDE@  , Lhh@AA@JI@@  , Qhh@@@E@E@:F@0BqXWE@  , _h@AA@\[@@  , c@Aw^]DA  , gfWcfWt@A B~f@c@A*bB@@C  , q
fWg@A	A@nm@@  , ufWk@@@D@D@E@B{C@  , *fWp@AA@~@@  , .fW[@@ACA  , 4e;G5e;S@A%B~B  , ;e;K@A+A@@@  , ?e;O@A/A@@@  , Ce;?@@3AB@  , xGdHd#@4@@B@=<AC@  , pQd
@AAA@@@  , dUd'Vd5@D@MIAB@  , \^d1	@ANA@@@  , PbdS@@R@B@  , 0foS_]@@\@koSSb@!x s@gpoS\@@[ư@	A@@A@C@@XB@@AB@A@  , (԰|qjxy@yBqjj@!x v@qju@@]ް@	A@@A@@A@  ,  qj@@@C@hC@D@xBB@  , !qj|@AA@@@  , qj@AA@@@  ,  qj@@@C@gC@D@B0%A@  , 

qj@AA@@@  , qj@AA@
@@  , >@@:
/A@  , {@C@Bs@!x y@s@@(_!r z@@ @C@@uu@@4`!i {@@ @C@@uu@@@a!q }@@ @}C@m@{{@@LcG@C@@D@@AB+B@@3A@@AC@@D@  , W{@@@C@C@D@	AH]D@  , d{@@@D@D@E@BVk$D@  , r{{@@@E@E@F@%Bdy2D@  , l@(Af{4DA  , ,{-{@A/Bm@<@A98B@@C  , 6{9@@8AuC@  , :yQg;yQ@)C@,@B!q |u@@ @C@@JyQYKyQZ@@b@Z@D@@ABYXC@@D@  , UyQl@@@C@-C@kD@:_AD@  , xbyQp(@V@@D@;D@iE@KlB,D@  , hǰoyQxpyQ~@@@E@LE@gF@_zB:-D@  , \C@}A</DA  , XٰyQ]yQc@ABUC  , HyQUN@@AZC@  , 0x;B@@A^C@  , $w"9w":@@AcC@  , w")@@AgC@  , v v!@@AlC@  , v@@ApCA  , uu
@AA@@A@B@@B  , u
@AA@@@  , 
uu@A
@@A@@A@  , u	@AA@@@  , u@@@
A@  , }@̐B}@!x @}@@*e%@	A@@A@@A@  , /}}@AA@-,@@  , 4}@AA@10@@  , 8@@3A@  , :@AA@76@@  , >@@@C@	D@	!B<@!n @@@Tg!a @ @@[hV@
A@@B@@AB@@C@  , xb$
@@@D@	#D@	1E@	-!A&iD@  , hp	@@@C@	9D@	I-B2uB@  , `|$	@@@D@	KD@	YE@	U:A?,C@  , PO@=@A.B@  , <3 O

4 O

@AHA@@@  , 48 O

9 O

@B@@C@D@SB!x @^I A	
	@@j!r :@@ @	C@	@T D	^	fU D	^	g@@k!i F@@ @	C@	@` D	^	}a D	^	~@@l!w j@@ @
C@	@m E		n E		@@mİ@C@@A*B@@D@@A4A@@BC@@E@  , ,԰D| O

@@@D@D@E@BEF@  ,  O
 O
@@@C@C@C@D@AU&D@  , @AW(D@  ,  O
  O
@@A\-D@  ,  O

 O

@AA@@@  , r@Ac4D@  ,  N

 N

@AA@@@  , 	 N

 N

@@@C@dD@tǐBt		ED@  , 	 N

@@@D@vD@E@ԐB	RE@  , 	 N

@AA@		@@  , 	!"@A	XD@  , 	# M

 M

@AA@	!	 @@  , 	( M

@@A	%aD@  , p	, K
@
H K
@
z@qD@
B!q @@ @
D@
@ J
&
2 J
&
3@@	@o	;@w@D@@ABx@u@AC@@D@  , h	H K
@
O@@@D@
D@
E@
A 	NE@  , \	U K
@
S)@@@D@
D@CE@
A-	[ D@  , T	b
 K
@
W6@@@E@
E@AF@
&B:	h-D@  , D	o K
@
_ K
@
y@@@F@
F@?G@
4BH	v;D@  , 8	}% K
@
e& K
@
x@@@G@
G@=H@BAV	ID@  , 0	3 K
@
i@'@@H@
H@;I@OBc	VD@  ,  	@ K
@
qA K
@
w@@@I@I@9J@1]Bq	dD@  , 	z@`As	fDA  , 	R J
&
6S J
&
<@AgB	kB@@C
  ,  	[ I

 \ L
{
@@pA	C@  , 	` H		a H	
@vB#!q @@ @	D@	@n G		o G		@@	n	Ű@@D@@ABC@@D@  , 	Ѱy H		@o@@D@
D@
 E@
A	E@  , 	ް H		&@O@@D@
D@
E@
*A,	D@  , 	 H		3@@@E@
+E@
F@
;B9	,D@  , 	 H		 H	
@j@@F@
<F@
G@
OBG	:D@  , 
 H		 H	
@@@G@
PG@
H@
]ːAU

HD@  , 
 H		@@@H@
^H@
I@
nؐBb
UD@  , 
! H	
 H	

@8@@I@
oI@
J@
Bp
(cD@  , 
/w@Ar
*eDA  , 
3 G		 G		@AB
2C  , |
: F		 I

@@A
8C@  , h
? E		@@A
<CA  , d
E D	^	 D	^	@AA
D@@A{@B@@B  , \
O D	^	
@AA@
L
K@@  , P
S D	^	j D	^	x@A
S@@A@@A@  , H
\	 D	^	t	@AA@
Y
X@@  , <
`	 C	Q	X@@A
]
A@  , ,
d	 B		:	
 B		P@@!A
bA@  , 
i	 B		*	 B		.@A&A@
g
f@@  ,  
n	 B			 B		 @A+A@
l
k@@  ,  
s	 B		0@@/@
pA@  ,  
w	 S!7:@A9A@
t
s@@  ,  
{	# S!>	$ S!K@	-@@C@D@"DB
z!x @M	2 R@@
q!e ;@@ @C@@	> S!'	? S!(@@
r
@B@@AA@@B@@C@  ,  
	I S!C&@@@D@#D@7E@0kA'
C@  ,  
	V S!G3@ApA@

@@  ,  
	Z S!R	[ S!_@	W@@C@>D@N{B7
"B@  ,  
	f S!W@/@@D@OD@cE@\AD
/B@  ,  
˰	s S![@AA@

@@  ,  
X@AJ
5BA  ,  
Ӱ	{ S!+	| S!3@AAQ
Ұ@;@A@@A
  ,  
ܰ	 S!/	@AA@

@@  ,  
	 S!#@@@\
A@  ,  x
	 Uco@AA@

@@  ,  p
	 Ucv	 Uc@	@@C@uD@A
!x @	 Ucl@@
t
@	A@@A@B@@A@B@  ,  h 	 Ucz@@@D@D@E@ѐAB@  ,  \	 Uc	 Uc@	@@C@D@ݐB&A@  ,  T	 Uc	 Uc@AA@@@  ,  H	 Uc@AA@@@  , |#?@@1*A@  , p%	 W@	@@C@C@D@B(F	 W@!x F@	 W@@<v!y C@	 W	 W@@Cw>@B@@AA@@B@C@@AuD@@	VB@@AB@B@  , dP	 W	 W@	@@D@D@E@'A,WB@  , T^
 W-@@,@0[B@@         
   &./boot(./stdlib@ t    d    ~  , %L0Stdlib__Filename&_none_@@ AA"??A@@@@@@@@@@@  , $	A"??Aô@*floatarrayQ  8 @@@A@@@@@O@@@5extension_constructorP  8 @@@A@@@@@S@@@#intA  8 @@@A@@@@@W@A@$charB  8 @@@A@@@@@[@A@&stringO  8 @@@A@@@@@_@@@%floatD  8 @@@A@@@@@c@@@$boolE  8 @@%false^@@m@$true_@@s@@@A@@@@@t@A@$unitF  8 @@"()`@@~@@@A@@@@@@A@
#exnG  8 @@AA@@@@@@@@%arrayH  8 @ @O@A@A@ @@@@@@@@$listI  8 @ @P@A"[]a@@@"::b@@ @Q@@@
@@A@Y@@@@@@@@&optionJ  8 @ @S@A$Nonec@@@$Somed@@@@@A@Y@@@@@@@@&lazy_tN  8 @ @U@A@A@Y@@@@@@@@)nativeintK  8 @@@A@@@@@@@@%int32L  8 @@@A@@@@@@@@%int64M  8 @@@A@@@@@@@@:Undefined_recursive_module]    Z@@@ @J@@ @@@ @V@@A頰=ocaml.warn_on_literal_pattern@@.Assert_failure\    @@ @X@@A@
0Division_by_zeroY    '@@@A@+End_of_fileX    /@@@A	 @)Sys_errorW    7@3@@A)(@.Sys_blocked_io[    @@@@A10@)Not_foundV    H@@@A"9%8%@'FailureU    P@L@@A+B.A.@0Invalid_argumentT    Y@U@@A4K7J7@.Stack_overflowZ    b@@@A<S?R?@-Out_of_memoryS    j@@@AD[GZG@-Match_failureR    r@qmn@ @c@@ARiUhU@
%bytesC  8 @@@A@@@@@Y@@@&Stdlib-generic_quote Q@&stringO@@ @	EA@@&stringO@@ @	tA@@@ @	A@@ @A@@ @A@@+filename.mlP7;P7H@@@0generic_basename @@@@ @FA@
@#intA@@ @A@

A@@ @
A@
A @
A@
A @
	A@	@>@@ @)A@	@*A@	A@	@ @	A@	@ @	A@	@ @	A@	@=d6:>d6J@@F/generic_dirname @@<@@ @A@@;@@ @A@9@@ @PA@A @A@A @A@U@8@@ @BA@\@%A@c
A@d@ @eA@]@ @^A@V@ @WA@T@tv		uv		@@O'SYSDEPS A$null @@ @@ I I%@@	Y@0current_dir_name @@ @@ J&( J&E@@Z@/parent_dir_name @@ @@ KFH KFd@@#[@'dir_sep @@ @@ Leg Le{@@0\@*is_dir_sep @@@ @@@@ @@@ @@ @@ @@ M|~ M|@@I]@+is_relative @@@ @@@ @@ @@ N N@@\^@+is_implicit @	@@ @@@ @@ @@ O O@@o_@,check_suffix @@@ @@"@@ @@@ @@ @@ @@ P P
@@`@/chop_suffix_opt &suffix7@@ @@=@@ @E@@ @@@ @@ @@ @
 @% Q

& Q

Y@@a@-temp_dir_name S@@ @
@2 R
Z
\3 R
Z
v@@b@%quote @b@@ @
f@@ @
@ @
@E S
w
yF S
w
@@c@-quote_command @u@@ @
%stdin/@@ @
@@ @
&stdout
@@ @
@@ @
&stderr@@ @
@@ @
@o@@ @
	@@ @
@@ @
@ @

@ @
@ @
@ @
@ @
@ T

 V
@@d@(basename @@@ @
@@ @
@ @
@ W W4@@e@'dirname @@@ @
@@ @
@ @
@ X57 X5U@@1f@@@ H YVY@5g$UnixB@C@ [[[ @> I%Win32C@L@ ('(*@G &CygwinD@U@(,(,*_*b@P 'SysdepsE@^@*d*d*+@Y [Z@@ @)@Y@VSR@@ @)@Q@NKJ@@ @)@I@FCB@@ @)@A@>;@:@@ @)@9@@ @)8@@ @)@ @)@ @)@7@41@0@@ @)/@@ @)@ @)@.@+( @'@@ @)&@@ @)@ @)@%@"!@@@ @)@@@ @)@@ @)@ @)@ @)@@"@@ @)@@@ @)@@ @)@@ @)@ @)@ @)@@#@@ @)@@ $@@@ @)@@ @)@ @)@@%@@@ @)@@ @)@@ @)@@ @)@@ @)@@ @)@@ @)@@@ @)@@ @)@@ @)@ @)@ @)@ @)@ @)@ @)@@&@@@ @)@@ @)@ @)@@ܠ'@@@ @)@@ @)@ @)@@Ӡ&concat(@&stringO@@ @*G@)@@@ @*G@*@@ @*yG@*@ @*G@)@ @)G@)@!+'++!+'+1@@& +chop_suffix-@@@ @+#G@*@@@ @*G@*@@ @+ G@*@ @*G@*@ @*G@*@'++'++@@E -extension_len2@@@ @,G@+/n@@ @,G@+0@ @+1G@+.@+,l,p+,l,}@@Z )extension:@@@ @-9G@,@@ @-G@,@ @,G@,@8--8--@@o .chop_extension>@@@ @-G@-G@@ @-G@-H@ @-IG@-F@<.O.S<.O.a@@ 0remove_extensionB@@@ @.G@-G@-@ @-G@-@A..A./@@ )open_descF@A@@ @.(@M)open_flag@@ @.)@@ @.+@[@@ @.,_@@ @.-@ @..@ @./@ @.0-caml_sys_openCA @@@@@=E/t/t>E/t/@@ *close_descG@s@@ @.1V@@ @.2@ @.3.caml_sys_closeAA@@@RF//SF//@@ $prngH&Stdlib&Random%State!t@@ @/wG@.5@@ @.6G@.4@nH//oH//@@ .temp_file_names@@@ @0NG@/@&stringO@@ @6fG@/@@@ @6G@/@@ @0LG@/@ @/G@/@ @/G@/@ @/G@/@J0'0+J0'09@@ 5current_temp_dir_name>#refz@@ @6G@6@@ @6G@6@O00O00@@/ 1set_temp_dir_name@@@ @7G@6$unitF@@ @7G@6@ @6G@6@Q11Q11@@G 1get_temp_dir_name@@@ @7G@7@@ @7(G@7@ @7G@7@R1<1@R1<1Q@@] )temp_file(temp_dira@@ @7G@72@@ @73G@7/@t@@ @7G@7d@}@@ @7G@7kg@@ @8LG@7l@ @7mG@7e@ @7fG@70@ @71G@7.@	T1o1s
T1o1|@@ .open_temp_file$mode)open_flag@@ @9HG@9j@@ @9kG@8\@@ @8]G@8Y%perms٠@@ @9FG@8@@ @8G@8(temp_dir@@ @9#G@8@@ @8G@8@@@ @9"G@8@@@ @9!G@8@@ @9Ҡ+out_channel@@ @9@ @9G@8@ @8G@8@ @8G@8@ @8G@8@ @8G@8Z@ @8[G@8X@l^22m^22@@ @F@@AG@@D@@ABE@@U@@AnP@@[@@AX@@BCDdQ@@W@@AJ@@_@@ABL@@V@@Z@@ABY@@B@@ACDETC@@A@@Aa@@'includeH@@ABM@@O@@AN@@BCI@@c@@AK@@V]@@ABuS@@oT@@A\@@`@@ABR@@b@@AG^@@BCDEF@@c@  , $:^22g4m4|AA?Stdlib__Filename.open_temp_fileA@98@@  , $@T1o1}\22AA:Stdlib__Filename.temp_fileA@?>@@  , $tFR1<1RR1<1mAA	"Stdlib__Filename.get_temp_dir_nameA@ED@@  , $dLQ11Q11;AA	"Stdlib__Filename.set_temp_dir_nameA@KJ@@  , $TRO00O01@A	&Stdlib__Filename.current_temp_dir_nameA@QP@@  , $DXJ0'0:L00AA?Stdlib__Filename.temp_file_nameA@WV@@  , $0^H/0H/0%@A5Stdlib__Filename.prngA@]\@@  , $(dAA@_^@@  , $fA./C/./rAA	!Stdlib__Filename.remove_extensionA@ed@@  , $l<.O.b?..AA?Stdlib__Filename.chop_extensionA@kj@@  , #r8--:..MAA:Stdlib__Filename.extensionA@qp@@  , #x+,l,~6--AA>Stdlib__Filename.extension_lenA@wv@@  , #~'++ ),,jAA<Stdlib__Filename.chop_suffixA@}|@@  , #!+'+2%++AA7Stdlib__Filename.concatA@@@  , "***+A@8Stdlib__Filename.SysdepsAf@'*match*G@@A@@AB@@A@@ABC@@G@  , "****A@AvG@  , "!**"**A@A{G@  , "&(,(FY@A7Stdlib__Filename.CygwinA@@@  , "AA$null@@ @%lE@%k@A	(M(SB	(M(W@@ 0current_dir_name@@ @%nE@%m@M
(f(lN
(f(|@@ /parent_dir_name@@ @%pE@%o@Y((Z((@@ 'dir_sep@@ @%rE@%q@e((f((@@ *is_dir_sep@@@ @%@@@ @%@@ @%@ @%@ @%E@%s@{
((|
((@@ +is_relative@@@ @%@@ @%@ @%E@%@((((@@ +is_implicit @@@ @%@@ @%@ @%E@%@()()@@  ,check_suffix@@@ @%@@@ @%@@ @%@ @%@ @%E@%@)$)*)$)6@@6 /chop_suffix_opt@@ @%@@@ @%@@ @%@@ @%@ @%@ @%E@%@)L)R)L)a@@P -temp_dir_name@@ @%E@%@)z))z)@@\ %quote@@@ @%@@ @%@ @%E@%@))))@@m -quote_command@@@ @&	@@ @&@@ @&@@ @&@@ @&@@ @&@@ @&@@@ @&@@ @&@@ @& @ @%@ @%@ @%@ @%@ @%E@%@)) ))@@ (basename@@@ @&%@@ @&$@ @&#E@&
@0))1))@@ 'dirname@)@@ @&X@@ @&W@ @&VE@&=@A*#*)B*#*0@@ @@A@*R@@AM@@N@@ABCG@@I@@A!S@@@ABD@@AJ@@L@@ABK@@'F@@AH@@P@@AwQ@@O@@ABCDE@@SA  , "k*#*3l*#*^@A?Stdlib__Filename.Cygwin.dirnameBD+#@!@@ABDE@@R  , !x))y)*"@T	 Stdlib__Filename.Cygwin.basenameBQ9@65BC3D-E@@Q@  , !D @A6Stdlib__Filename.Win32A@@@  ,  	AA$null@@@ @D@@ $* $.@@' J0current_dir_nameL@@ @D@@ 7= 7M@@3 K/parent_dir_nameX@@ @D@@ TZ Ti@@? L'dir_sepd@@ @ D@@ qw q~@@K M*is_dir_sep@@@ @"D@@#intA@@ @!D@	$boolE@@ @6D@
@ @D@@ @D@@  @@o N+is_relative@@@ @D@@@ @D@@ @D@@  @@ R+is_implicit@_@@ @D@@@ @D@@ @D@@ hn hy@@ T,check_suffix@@@ @#D@@9@@ @lD@5@@ @D@@ @D@@ @D@@6 x~7 x@@ V/chop_suffix_opt&suffix@@ @D@w@@@ @0D@~*'@@ @-D@@@ @D@@ @D@x@ @yD@v@] }^ }@@ Z-temp_dir_name&stringO@@ @cD@Y@l m @@ `%quote@@@ @D@r@@ @D@s@ @tD@q@ 7= 7B@@	 a)quote_cmd@@@ @KD@@@ @D@@ @D@@      @@	 n2quote_cmd_filename@@@ @ D@D@@ @D@@ !! !"@@	, r-quote_command@@@ @ D@ %stdinj.@@ @!D@ @@ @ D@ &stdout{?@@ @"CD@ @@ @ D@ &stderrD@ @@ @ D@ @$listI@@ @!cG@!L@@ @!XD@ 	@@ @ D@ @ @ D@ @ @ D@ @ @ D@ @ @ D@ @ @ D@ @ ## ##@@	 t)has_drive@@@ @#QD@"@@ @"D@"@ @"D@"@ %% %&@@	 }.drive_and_path@@@ @#D@#_@@ @#D@#tD@#u@ @#vD@#`@ @#aD@#^@3 &&4 &&@@	 'dirname@.@@ @$D@#@@ @$BD@#@ @#D@#@H '!''I '!'.@@	 (basename@C@@ @$D@$M(@@ @$D@$N@ @$OD@$L@]''^''@@	 	۰@@V@@ABNL@@1M@@ACF@@H@@:U@@ABXT@@@ACD@@sS@@ABI@@uK@@ACJ@@E@@AG@@O@@ABP@@Q@@AR@@)N@@ABCDE@@V@  ,  
'''(&AA?Stdlib__Filename.Win32.basenameA@


	@@  ,  
 '!'/''AA>Stdlib__Filename.Win32.dirnameA@

@@  ,  
 && '' AA	%Stdlib__Filename.Win32.drive_and_pathA@

@@  ,  p
 %& &g&AA	 Stdlib__Filename.Win32.has_driveA@

@@  ,  `
# ## %%AA	$Stdlib__Filename.Win32.quote_commandA@
"
!@@  ,  H
) !" ""AA	)Stdlib__Filename.Win32.quote_cmd_filenameA@
(
'@@  ,  8
/    !!AA	 Stdlib__Filename.Win32.quote_cmdA@
.
-@@  ,  (
5 7C AA<Stdlib__Filename.Win32.quoteA@
4
3@@  , 
; 3 6@@	$Stdlib__Filename.Win32.temp_dir_nameA-
:@L@A]\BZ@Y@A#exnN@@8@ABC7@5@AVUBS@P@P@ABCD@@N@  , 
Q   @pAD
Qo@n@AI@BCHD@@Q@  , 
] } AA	&Stdlib__Filename.Win32.chop_suffix_optA@
\
[@@  , 
c x @{AA	#Stdlib__Filename.Win32.check_suffixA@
b
a@@  , 
i hz =wAA	"Stdlib__Filename.Win32.is_implicitA@
h
g@@  , 
o  ;gAA	"Stdlib__Filename.Win32.is_relativeA@
n
m@@  , t
u  AA	!Stdlib__Filename.Win32.is_dir_sepA@
t
s@@  , <
{ [[sA@A5Stdlib__Filename.UnixA@
y
x@@  , 
AA
c$null 	@@ @
C@
@	 \z	 \z@@
h0current_dir_name 	@@ @
C@
@	# ]	$ ]@@
i/parent_dir_name 	@@ @
 C@
@	/ ^	0 ^@@
j'dir_sep 	@@ @
"C@
!@	; _	< _@@
k*is_dir_sep @	T@@ @
PC@
$@s@@ @
OC@
+p@@ @
>C@
,@ @
-C@
%@ @
&C@
#@	Z `	[ `@@
l+is_relative @	s@@ @
C@
[@@ @
qC@
\@ @
]C@
Z@	o a
	p a@@
o+is_implicit @@@ @C@
@@ @
C@
@ @
C@
@	 b>D	 b>O@@q,check_suffix @	@@ @C@@	@@ @C@$boolE@@ @C@@ @C@@ @C@@	 f	 f@@*s/chop_suffix_opt&suffix	@@ @bC@@@@ @C@q	@@ @~C@f@@ @gC@@ @C@@ @C@@	 i &	 i 5@@Pv-temp_dir_namep@@ @C@@	 tek	 tex@@\|%quote[@	@@ @	@@ @@ @C@@	 v	 v@@m}-quote_command\@
@@ @C@%stdin
@@ @C@@@ @C@&stdout
$@@ @C@@@ @C@&stderr̠C@@@ @C@@;@@ @C@@@ @"C@
@ @C@ @ @C@@ @C@@ @C@@ @C@@
8 w
9 w@@~(basename@
1@@ @
@@ @@ @C@@
I ~
J ~@@ G'dirname@
B@@ @
%@@ @@ @C@@
Z 
[ @@ Hذ@(P@@AK@@BL@@NE@@A7G@@ Q@@A@BCD@@A2H@@ J@@ABI@@hD@@AQF@@N@@AO@@M@@ABCDE@@QA  , 
 
 @A=Stdlib__Filename.Unix.dirnameB)%$"@@ABCE@@P  , 
 ~
 ~@R>Stdlib__Filename.Unix.basenameB@6@A53B1C-E@@O@  , 
 w
 }?AA	#Stdlib__Filename.Unix.quote_commandA@@@  , !
 v
 v@;Stdlib__Filename.Unix.quoteA"=875@0@ABCD@@M@  , P.
 u{
 u{@@	#Stdlib__Filename.Unix.temp_dir_nameA-M@M@@A'@BC&MH@F@F@ABCD@@M@  , (>
 u{
 u{@A>/2D@@P@  , G
 i 6
 rYcAA	%Stdlib__Filename.Unix.chop_suffix_optA@FE@@  , M
 f
 gAA	"Stdlib__Filename.Unix.check_suffixA@LK@@  , S
 b>P
 eAA	!Stdlib__Filename.Unix.is_implicitA@RQ@@  , Y
 a
 a=AA	!Stdlib__Filename.Unix.is_relativeA@XW@@  , _
 `
 `AA	 Stdlib__Filename.Unix.is_dir_sepA@^]@@  , e
v		
 FAA	 Stdlib__Filename.generic_dirnameA@dc@@  , k
d6K
pAA	!Stdlib__Filename.generic_basenameA@ji@@  , |q
P7I
ZK^AA>Stdlib__Filename.generic_quoteA@po@@  , Xw
Y13
Y1I@
@@A@	B@	
BX(	P77@*quotequote S(@P7S@@A!s T"@P7TP7U@@B!l U?@@ @-B@$@!QX^"QX_@@C!b &Buffer!t@@ @B@2@1Ru{2Ru|@@D@D@@A#C@@B1B@@-A@@AC@@D@  , <HM@@LA>D@  , °CWDW(@M@@B@	{C@	DD@	\YBM!i {@@B@	sB@	vB@	-B@	@\T]X)/@@Eڰ@+@AE@@,@AB+*C@@F@  , hW#%@$charB@@D@	]D@	xE@	rB'F@  , 5@A)F@  , zV{V@5B0F@  , 
 @A2!F@  , 
UU@$charB@@C@	,B?
.F@  , 
UM@@AC
2F@  , 
SS@@@A@B@B
iD@  , l
@@A
lDA  , d
$RuRu@AA
#@r@AqpB@@C  , L
.Ruw@@A
+C@  , <
2QXZ@@@
/@}@A{@B@@B@  , 
9p@@A
d66@*is_dir_sep @d6U@@
JG0current_dir_name @d6Vd6f@@
QH$name @d6gd6k@@
XI(find_end @B@	@@ @
~B@	@ @	C@	@enxen@@
iJ(find_beg @B@	@@@ @
CB@	B@	@ @	@ @	C@	@ii	@@
~K
y@9B@@AE@@.D@@ABCC@@8A@@AC@@E@  , 
o
o@@ AS
E@  , 
nn@@@A@!B@+B_
E@  , 
n1@@0Ac
 E@  , 
!enp5@@4@e
@#@AB@@C@  , 
(l})l}@@	*Stdlib__Filename.generic_basename.find_begAr!n A@
E@2i
3i@@
M!p EB@
R@;i<i
@@
N
@B@@AA@@B@B@@AvC@@B@`@@@s @@ABB@  , l
ͰNk6YOk6|@@&A%
B@  , d
ҰSk6BTk6S@5A@
-B-
B@  , T
ڰ[k6?3@@2A1
B@  , 4
ް_j"`j5@@7A6
#B@  , $
dj<@@;@:
'B@  , 
hhih@@	*Stdlib__Filename.generic_basename.find_endA!n @penqen@@
L
@
A@@A@E@@AF@@B@C@@@@@ABA@  ,  gg@@A
A@  , gg@hBA@  , g%@@$A#	A@  , ff@@)A( A@  , f.@@-@,$A@  , p F@@A
av		@*is_dir_sep a@v		@@+P0current_dir_name G@v		v		@@2Q$name E@v		v		@@9R,trailing_sep @lB@mZB@n@ @oC@j@w	
w	

@@FS$base @yB@pgB@q@ @rC@k@{

{

@@ST0intermediate_sep @B@stB@t@ @uC@l@

@@`U[@E@@A;B@@F@@ABDC@@9A@@4D@@ABC@@F@  , do E E@@
AWmF@  , \t D D@@@A@B@BcyF@  , H
 D@@Ag}"F@  , $
w		@@@h@$@A!@ @AB@@C@  , 

 B{
 B{@@	1Stdlib__Filename.generic_dirname.intermediate_sepAv!n A@@



@@X@A@@A@tC@@A{B@@pD@@AB@_ @@AS@@@o @@ABA@  , 
+ A?b
, A?z@@AA@  , 
0 A?K
1 A?\@A@%B%A@  , 
8 A?H+@@*A) A@  , 
< @+
= @>@@/A.%A@  , 
A @4@@3@2)A@  , lİ
E~


F~

@@	%Stdlib__Filename.generic_dirname.baseA!n A@@
N{


O{

@@W̰@A@@A@F@@AE@@G@@AB@@@@AC@@ @@ABA@  , \
c}


d}

@@AA@  , T
h}


i}

@:A@&B&A@  , <
q}

,@@+A*!A@  , ,
u|


v|

@@0A/&A@  , 
z|

5@@4@3*A@  , 
~z
p
y
z
p
@@	-Stdlib__Filename.generic_dirname.trailing_sepA!n @
w	

w	
@@	V@
A@@A@I@@AH@@J@@AB@C@@AF@@@@@ABA@  , 
y
8
[
y
8
o@@AA@  , 
y
8
D
y
8
U@
I#B#A@  , &
y
8
A)@@(A'#A@  , *
x

$
x

7@@-A,($A@  , /
x

2@@1@0,(A@  , 3
 `
 `@1@@C@
NؐB
 `@!s @
 `@@Gm!i |@
 `
 `@@NnI@
A@@B@@AB@@B@  , |U"@@@QB@  , \X
 a1
 a6@V@@D@
B
 a
@!n @
 a@@kpf@	A@@A@@A@  , 0p
 a@@@mA@  , (t
 e
 e@@@F@dF@G@*B b>@1@!n @6
 b>Q@@r@	A@@A@B@@A@A@  ,   e@
@@F@CCB@  ,  df df@(@@F@F@QG@/QB'A@  , + df@
@@F@EZC0%B@  , 4 cTX5 cTe@V@@D@
D@
E@
iA?4A@  , |°n@@m@B7A@  , `ŰF gx@@w@CL f~@$name @Q f@@t$suff @W fX f@@uհ@B@@AA@@B@@B@  , Hb rY_@@Abj i "@@n i 7o i =@@w(filename@u i >v i F@@x%len_sa@@ @D@@ jIQ jIV@@y%len_fm@@ @D@@ jIr jIw@@z@#A@@D@@ABC@@.B@@AC@@D@  , < pCK pCO@@A<!rs@@ @4D@@ l l@@+{&@E@@A@BC@@E@  , 42 n n7@AA@0/@@  , ,7 n@C6E@  , =@A8E@  ,  ? m m@@@C@dD@aB+DE@  , K m0@@A/H"EA  , Q l l@A
CrPED  , X l=@@AwUJD@  , \ k@@A{YND@  , ` jIM@@@}]@Q@M@AB@@B@  , g x
 x
>@c@@D@$D@E@6TB w_@#cmd^@d  w@@_
@@ @@	 w
 w@@ @`
@@ @@ w w@@ Aa
@@ @@ w w@@ B$argsb@$ w% w@@ C@A@@1E@@ABB@@/D@@A&C@@BC@XB@@A@F@  , h7 x
 O@$listI@@E@8@@E@7E@E@BU!F@  , TʰK x
0L x
=@AA@@@  , DϰP y?E@@@D@#D@E@Bg3E@  , ,ܰ] y?`^ y?b@@Al8F@  , b y?oc y?}@@@F@F@̐By!fk@p y?jq y?k@@ D@M@AK@
G@@ABLKCG@G@  , | y?v@@@G@G@H@AG@  , '@AG@  , 
 z@@@E@E@F@BnE@  ,  z z@@AsF@  ,  z z@
@@G@TG@SB!f@ z z@@. E)@@A@
G@@ABC@G@  , 6 z@
%@@H@?H@PI@L"A<G@  , C'@%A>G@  , |E { {@@*ACE@  , lJ }?t }?@
:@@G@G@H@7B!f@ { {@@^ FY@@A@
F@@ABC@F@  , Tf }?|@
U@@H@H@I@RAlF@  , Hs)@UAnF@  , 8u |7 |>@@ZA"sF@  , 0z { {@@@G@H@eB.&F@  , $ {<@@jA2*F@  , #n@@m@E@  ,  @@A	|	G @!s	G@$ @@ O!i	D@  ! @@ P!c@@ @ E@@, - @@ Q@C@@AA@@ B@@AB@@CA  , ; < @AEB.@
B@@B
  , ðD N@@M@5B@  , ǰH ;ZI ;_@@@G@\B		aS c@!n	a@hX @@ Sհ@	A@@A@@A@  , H߰` 
,a 
1@@@G@StB
A@  , j k @@@F@~B"A@  , t @@@&A@  , x =\y =v@@@I@II@J@tB		 hj@!n	@ h{@@ U	@	A@@A@	B@@A@A@  ,  =l@g@@I@CB@  ,  " ;@@@I@I@6J@B'%A@  , |, 2@~@@I@*ƐC0.%B@  , 45  @@@H@wH@I@ԐB><3A@  , ,C @@@H@ݐCGE<B@  , L  @@@G@G@RH@0BUSJA@  , Z @@@G@FC^\SB@  , c ~ ~@@@E@E@F@AljaA@  , q@@@omdA@  , xt @D @z@
@@E@E@pF@SB
q	ꐰ xz#@$name	@( x@@ W$suff	@ x x@@ X!s@@ @F@@  @@ Y@B@@AC@@A@@AB@@C@  , p6+ @\@:@@E@]KA1D@  , \5 @_@@G@kSA9C@  , LH@VA;CA  , HA B <@A]CB@#@A @B@@B  , ʰK g@@f@JB@  , ΰO q@@pA

W }y@

@[ }\ }@@ [(filename
@b }c }@@ \%len_sN@@ @E@@n o @@ ]%len_fZ@@ @E@@z { @@ ^@#A@@D@@ABC@@.B@@AC@@D@  ,   @@A<!r`@@ @E@@  @@ _@E@@A@BC@@E@  ,   @AA@@@  , $ @
OǐC#E@  , *@A%E@  , , GP G@@@D@E@ՐB+1E@  , 8 Gh@@@D@ ސA4:'F@  , lA Gk@F@A<B/E@  , \I GMA@@A@F3EA  , XO  C@ACNVD  , 4V N@@AS[D@  , $Z @@AW_D@  , ^ 	@@	 @[@b@^@AB@@B@  , e  @@@D@E@	6Ae
 79	B@!s
@	G 7D@@ b!l@@ @E@y@ GO	 GP@@ c!b@@ @E@@ fn fo@@ d$loop@@@ @E@(@@ @E@@ @F@@) * @@ e'loop_bs@@@ @E@@E@E@@ @@ @F@@= ow> o~@@ f&add_bs@E@%E@@ @F@@K L @@ gɰ@F@@AIC@@BVB@@AD@@A-E@@bA@@ABC@@F@  , ݰx	@@	AoF@  , a b @i@@D@E@	Bx@@A@@AB@@C@  , 	@@	ACA  , v frw f@A	A@(@A"@B@@B  ,  fj	@@	AB@  , p GK	@@	@ @-@A@@A@  , <	  @@@E@F@	#Stdlib__Filename.Win32.quote.add_bsB!nfE@r@  @@ l"_j<@@E@@  @@( m#@B@@AA@@B@D@@AC@@B@@AB@v@@@A @@ @@ABC@  , ;2@)A'6C@  , =@+@(8@@AA@  , A ! 7@@@E@9F@.	$Stdlib__Filename.Win32.quote.loop_bsBߠ!nE@<@ o o@@V j!iE@@ o o@@_ kZ@
C@@AA@@B@@AB@G@@AF@@E@@AB@C@@A @@@@@ABC@  , u  @E@0A/vC@  , } D@@5A3z C@  ,  EW Ej@@:A8%C@  , t l~ l@E@AA@-C@  , h l@@FAD1C@  , H  @@@ @OBN@87B5/B@  , 4   @@WAUB@  , $$ % @,@@E@F@bBaB@  , 0 1 @@hAfB@  , 5 @@l@jB@  , 9 : @@	!Stdlib__Filename.Win32.quote.loopAN!i"@A B @@ h@!cB@@AA@@B@CJ@@API@@XH@@AB@F@@A>@@@+C@@ABB@  , ٰZ !1[ !<@@!A B@  , ް_ >N` >a@g@@E@hF@],B-!@@ @-@n >Fo >G@@ i-B@  , t >n@@:A
1B@  , dx y @@@ @ CBC@7@A60A@  , P @@JAI A@  , ,  @@OANA@  ,  @@S@R	A@  , 
    !!@@@D@E@J
B

   
@!s@
   @@& o!b@@ @E@@      @@2 p-@B@@AA@@B@@B@  , 
9 !! !!@A	&Stdlib__Filename.Win32.quote_cmd.(fun)A@87@@  , 
?/@@A&;BA  , 
D      @AA-C@@A@@A
  , 
M   @@@4JA@  , 
Q !s! !s!@@@F@G@BB!cY@@ @V@ !! !!@@g qb@A@@A@FB@@A@A@  , 
|n !s!@@4Ak	A@  , 
`r !! !!@@9ApA@  , Hw !!@@=@tA@  , <{ ""R@@QA
pd !!W@!fd@\ !"@@ s@	A@@A@@A@  ,   "" ""@}@@E@ E@ F@ lBA@  ,  ""@@qA A@  ,   ""! ""@@@D@ uE@ n|B,!A@  , , ""@@A0%A@  , 0 "R"a1 "R"@@@E@ FE@ ]F@ VB?4A@  , ? "R"X@@AC8A@  , °C ""7D ""L@N@@E@ E@ ;F@ 4BQFA@  , аQ ""R ""3@
s@@E@ 
E@ $F@ B`UA@  , h߰` ""@@@dYA@  , Ld ##@AA@@@  , <h ##AAA@@@  , 4l #$@D@!ɐA
ɐx ##@#cmd@} ##@@ u*@@ @ @ ## ##@@	 v4@@ @ @ ## ##@@ w>@@ @ @ ## ##@@ x$args@ ## ##@@$ y@A@@1E@@ABB@@/D@@A&C@@BC@
CB@@A
/C@@
D@@AB@F@  , $7 $$AAA@43@@  , ; $ $&AAA@87@@  , ? $ $Y@
F@!-AT? F@  , F $ $0@
@@@F@!.F@!iG@!@*BaL-F@  , 
S $ $C $ $X@
)@@G@!B@@G@!AG@!fG@!W<Bs^?F@  , 
e $[$aBAAAA@ba@@  , 
i $[$| $[$~@@FA|gHF@  , 
n $[$ $[$@
?@@F@!F@!QB!f
8@ $[$ $[$@@ z{@]@A[@
G@@AB\[CW@G@  , 
	 $[$@
ID@!D@!hAG@  , 
#@kAG@  , 
x $$pAAoA@@@  , 
h $$ $$@@tAvF@  , 
X $$ $$@
m@@F@!F@!B!f
U@+ $$, $$@@ {@@A@
G@@ABC@G@  , 
@7 $$@
nD@"QD@"ND@"OD@!D@!D@!AG@  , 
4+@A!G@  , 
ɰJ $$AAA@@@  , 
ͰN $%O $%@@AF@  , 	ҰS %%T %%@
@@F@"2F@"SG@"BB!f
|@c $%"d $%#@@ |@@A@
G@@ABC@G@  , 	o %%@0ːAG@  , 	"@AG@  , 	w %b%x %b%@@AG@  , 	| %'%R} %'%a@^@@F@"0G@",ސB' G@  , 	 %'%O5@@A+#G@  , 	 ##@@@E@  , 	p &g& &g&@

@@F@#OB

 %%@!s
@
 %&@@# ~)is_letter@@@ @"E@"@@ @"E@"@ @"E@"@ && &&@@: 5@B@@A"A@@B@@B@  , 	XA &g& &g&@@@F@#F@#2G@#
,A6HB@  , 	PO &g&@*@@G@#G@#0H@#)
9BCU B@  , 	(\ &g&k
?@@
>AGY$B@  , 	$` && &M&_@A	*Stdlib__Filename.Win32.has_drive.is_letterA@_^@@  , 	f &&
I@@
H@Pc@,@A@@A@  , 	l &%&H &%&L@@AXL@m@%paramA@@A@@AB  , 	 { &M&Z@@AxA  ,  A@{A	  ,  ''
l@A
kA@@@  , @
mA}
 &&
s@!s
@
x &&@@ @	A@@A@B@@A@A@  ,  && &'@A
A@@@  , x &&  &&@

CB@  , \& &&' &'@
C#A@  , 0@
A%A@  , (/ &&0 &&@@@D@#sE@#o
A1&A@  , ; &&
@@
@5*A@  , ?''
@@
AG '!'#
@!s@
L '!'0@@ %drive"@@ @#E@#@W '3'<X '3'A@@ $path E@#@_ '3'C` '3'G@@ #dir6@@ @$E@#@k'_'gl'_'j@@ @`B@@AE@@)D@@ABC@@2A@@AC@C@@AeE@@AB@@AD@@BC@EA  ,  '_'m'_'@A
CI@@@ABC@D  , '_'c @@
AR	D@  ,  '3'K '3'[@MB@ @#E@#A]@)@A(@A@  , $ '3'7@@@c!A@  , (''@@A$b''$@!sb@)''@@7 &_drive@@ @$fE@$U@''''@@C $pathtE@$V@''''@@K F@B@@AC@@"A@@AB@/C@@AE@@B@@AD@@BC@C@  , ]''''@,!@ @$YE@$eYA<c@@A@A@  , l''a@@`@BiA@  , |p%++@_@@H@*H@*I@*Bf{!+'+'@'dirname*{@!+'+9@@ (filename+u@!+'+:
!+'+B@@ !l,@@ @*H@*	@"+E+K"+E+L@@ @B@@AA@@C@@AB@=B@@A9C@@B@C@  , d)%++$@@#A/C@  , H-$++.$++@@(A4C@  , @2#+h+v3#+h+@	=@@H@*(H@*gI@*J5BB"C@  , @#+h+j;@@:AF&C@  , ðD"+E+G?@@>@I*(@B%@B@  , ɰJ),,WK@@JAQ'++R@$name/@WV'++@@ $suff0@\'++]'++@@ !n1I@@ @*H@*@i(++j(++@@ @C@@AB@@A@@AB@@C@  , v),,/w),,Q@@wA-C@  , {),,!|@@{A1C@  , (++@@@4@@A@B@@B@  , l6--@@AŐ+,l,l@$name4@+,l,@@ %check5@@@ @+H@+7@A@@ @+H@+8E@@ @+H@+9@ @+:@ @+;I@+6@,,,,,,@@1 *search_dot8@@@ @,H@+Z@@ @,7H@+@ @+I@+@1--&1--0@@F A@6B@@A=A@@C@@AB@B@@A@C@  , PQ1--@@AKN
@B@B@  , 8W,,,@@@PT@@A@A@  ,  ]4--4--@@	)Stdlib__Filename.extension_len.search_dotA[!i9-@1--11--2@@i d@
A@@A@[D@@AB@@dC@@AB@C@@@AA@  ,  v3-^-~3-^-@@AtA@  , {3-^-j3-^-r@y@@H@,T"B"~A@  , 3-^-g(@@'A&A@  , 
2-5-\2-5-]@@,A+#A@  , 2-5-E2-5-V@
@@I@,
I@,4J@,.9B91A@  , 2-5-9?@@>@=5A@  , !/,,"/,-@@	$Stdlib__Filename.extension_len.checkA"i06@*,,,+,,,@@ !i7H@+C@3,,,4,,,@@ @A@@B@@AB@QB@@AC@@B@@@@AB@  , xðD.,,E.,,@@#A"B@  , lȰI.,,J.,,@@@H@+,B,B@  , \ҰS.,,2@@1A0B@  , PְW-,,X-,,@@6A5#B@  , H۰\-,,]-,,@
g@@I@+ZI@+J@+{CBC1B@  , (j-,,I@@H@G5B@  , n:..#{@@zAt8--@$name<@y8--@@ !l=@@ @,H@,@9--9--@@ @B@@AA@@B@B@@A@B@  , :..:..@@A$B@  , :..
@@A(BA  , 9--9-.@AA/@@A@A
  , $9--@@@6!A@  , (?..@@A<.O.O@$name@@<.O.f@@6 !lAV@@ @-XH@-N@=.i.o=.i.p@@B =@B@@AA@@B@B@@A@B@  , tK>..>..@@A$IB@  , hP>..@@A(MBA  , dV=.i.s=.i.@AA/U@@A@A
  , X_=.i.k@@@6\A@  , (cC/./H@@AT㐰A..@$nameD@A./@@q !lE@@ @-H@-@B//B//@@} x@B@@AA@@B@?B@@A@B@  , C/./>C/./B@@ A$B@  , C/./0%@@$A(BA  , B//B//*@A+A/@@A@A
  ,  B//4@@3@6A@  , L00F@@@H@0MH@6H@1MD0J0'0'W@(temp_diru@\5J0'0B@@ &prefixv@;J0'0C<J0'0I@@ &suffixw@BJ0'0JCJ0'0P@@ #rndx/@@ @/H@/@OK0S0YPK0S0\@@ Ͱ@B@@D@@ABA@@*C@@AC@B@@A
C@@B@D@  , bL00@@A:D@  , fK0S0_gK0S0@R@@I@/I@08J@/AH@ @AB@D@  , xK0S0ryK0S0@@@J@/J@06J@0'AXD@  , K0S0U@@@\C@  , Q11!@@@ܐQ11@!s@Q11@@ @	A@@A@B@@A@A@  , R1<1W@@@אR1<1<@@A@@A@
B@@A@A@  , *\22@@A&ԐT1o1o@%*opt*a@@ @76@T1o1T1o1A@@ G@7<@T1o1@@F  &prefix@T1o1T1o1@@M Ġ&suffix@T1o1T1o1@@T Š(try_name@@@ @88H@7sD@@ @7H@7t@ @7uI@7r@U11U11@@i d@8C@@A(B@@$A@@A2D@@ E@@ABC@[C@@B@@AB@E@  , zU11:@@9AOw@@@ABC@D@  , T1o1F@@AAT@@AB@C@  , @FAZ%*sth*"@@ @%@	D@@AB&
C@D@  , @R@hC@  , \[22[22@@	#Stdlib__Filename.temp_file.try_nameAr'counterF@"U11#U11@@ Ǡ$name@@ @7I@7|@.V11/V11@@ Ƞ!e#exnG@@ @8 @;Z2g2p<Z2g2@@ @$A@@AC@@ B@@#tagD@@ABC@D@@AE@@C@@B@@ABC@@@@AD@  , XհV[22W[22@)@@J@8J@8 J@8GAF#D@  , T@IAH%D@  , Df[22N@@MAL)D@  , jX22kX22Z@r@@H@7I@7XAW@4@2@AB-%F@  , yX22@:@@J@7J@7K@7hCgF@  , W22n@@mAkBA  , V11V12@AtCr
@P@AH@A
  , V11}@@|@yA@  , g4m4r@@A^22@R@@ @8`@^22^22A@1 ˠG@8f@^22@@7 ̠b@@ @8@^23^23A@A ΠG@8@^23@@G Ϡr@@ @8@_33&_33GA@Q ѠG@8@_33.@@W Ҡ&prefix@_33I_33O@@^ Ԡ&suffix@_33P_33V@@e ՠ(try_name@@@ @9H@8X@@ @9,H@8@@ @9DH@9 @ @9@ @9I@8@ `3Y3c`3Y3k@@ ~@aESDEC@@A\F@@NG@@AB9B@@5A@@ACH@@1I@@ABC@}C@@B@@AB@I@  , `3Y3[b@@aA@@@ABC@H@  , %_331W@@iA#@@AC@G@  , t@nA"@
@ @+@H@@AB((&
BC@H@  , `@zAG@  , T:^23
|@@~A@7@3@AB0C)@F@  , D@A8@@ @B@AG@@?@AB<#C5@G@  , 01@AF@  , $ϰP^22@@A̰@M@AE,B>@E@  , @AM?@
@ հ@V@F@@ABP7CI@F@  ,  E@@E@  ,  df4+4Vef4+4l@@	(Stdlib__Filename.open_temp_file.try_nameAР'counter@n`3Y3lo`3Y3s@@ נ$name@@ @9 I@9
@za3v3~{a3v3@@ ؠ!eL@@ @9}@e44e44'@@ @!A@@AC@@B@@ID@@ABC@C@@AD@@F@@ABG@@E@@,B@@ABC@@@@AD@  ,  !f4+4If4+4P@L@@J@9J@9J@9FAE'%D@  ,  .
@HAG)'D@  ,  0f4+41M@@LAK-+D@  ,  4c33d34
@AQA@21@@  ,  |9d33d34@WCV9@6@4@AB0$F@  ,  lCd33d34@A`A@A@@@  ,  `Hd33d34 @AeA@FE@@  ,  TMd33@AiA@JI@@  , lQb33n@@mAkNBA  , hWa3v3a3v3@AtCrV@S@AL@A
  , H`a3v3z}@@|@y]A@@         
   &./boot(./stdlib@ 0d   Ye s nΠ  , DD1Stdlib__Ephemeron&_none_@@ AA"??A@@@@@@@@@@@  , D8	AA@@@  , CX
AA@@@  , B
A	A@@@  , A<AA@
	@@  , A,A
A@@@  , AA"??Aðô@*floatarrayQ  8 @@@A@@@@@=@@@5extension_constructorP  8 @@@A@@@@@A@@@#intA  8 @@@A@@@@@E@A@$charB  8 @@@A@@@@@I@A@&stringO  8 @@@A@@@@@M@@@%floatD  8 @@@A@@@@@Q@@@$boolE  8 @@%false^@@[@$true_@@a@@@A@@@@@b@A@$unitF  8 @@"()`@@l@@@A@@@@@m@A@
#exnG  8 @@AA@@@@@q@@@%arrayH  8 @ @O@A@A@ @@@@@z@@@$listI  8 @ @P@A"[]a@@@"::b@@ @Q@@@
@@A@Y@@@@@@@@&optionJ  8 @ @S@A$Nonec@@@$Somed@@@@@A@Y@@@@@@@@&lazy_tN  8 @ @U@A@A@Y@@@@@@@@)nativeintK  8 @@@A@@@@@@@@%int32L  8 @@@A@@@@@@@@%int64M  8 @@@A@@@@@@@@:Undefined_recursive_module]    Z@@@ @J@@ @@@ @V@@Aנ=ocaml.warn_on_literal_patternې@@.Assert_failure\    @@ @X@@A砰@
0Division_by_zeroY    '@@@A@+End_of_fileX    /@@@A @)Sys_errorW    7@3@@A )(@.Sys_blocked_io[    @@@@A10@)Not_foundV    H@@@A98@'FailureU    P@L@@ABA@0Invalid_argumentT    Y@U@@A"K%J%@.Stack_overflowZ    b@@@A*S-R-@-Out_of_memoryS    j@@@A2[5Z5@-Match_failureR    r@qmn@ @c@@A@iChC@
%bytesC  8 @@@A@@@@@G@@@&Stdlib'SeededSlB#keyRA  8 @@@A@@@@@+hashtbl.mli?Q?U?Q?]@@@@/Stdlib__Hashtbl CA@!tSA  8 !a @=@A@A@O@B@@@?^?b?^?l@@@@ DA@&createT&random&optionJ$boolE@@ @@@ @@#intA@@ @/!a @9@@ @@ @@ @@=?m?q>??@@< E@%clearU@!a @5@@ @$unitF@@ @@ @@V??W??@@U F@%resetV@-!a @1@@ @@@ @@ @@m??n?@	@@l G@$copyW@D!a @,@@ @L@@ @@ @@@
@@
@%@@ H@#addX@[!a @'@@ @@@@ @@
O@@ @@ @@ @@ @@@&@*@&@M@@ I@&removeY@z!a @"@@ @@@@ @k@@ @@ @@ @@@N@R@N@r@@ J@$findZ@!a @@@ @@;@@ @
@ @@ @@@s@w@s@@@ K@(find_opt[@!a @@@ @@S@@ @Р@@ @@ @@ @@@@@@@@ L@(find_all\@ˠ!a @@@ @@p@@ @$listI@@ @@ @@ @@@@@@@@ M@'replace]@!a @	@@ @@@@ @@@@ @@ @@ @@ @@1A A2A A+@@0 N@#mem^@!a @@@ @@@@ @$@@ @@ @@ @@MA,A0NA,AM@@L O@$iter_@@@@ @@!a @@@ @@ @@ @@5
@@ @@@ @@ @@ @@qANARrANA@@p P@2filter_map_inplace`@@@@ @@!a @h@@ @@ @@ @@Z@@ @B@@ @@ @@ @@AAAA@@ Q@$folda@@
@@ @@!a @@!b @@ @@ @@ @@@@ @@@ @@ @@ @@AAAB @@ R@&lengthb@!a @@@ @@@ @@ @@B!B%B!B=@@ S@%statsc@!a @@@ @&Stdlib'Hashtbl*statistics@@ @@ @@B>BBB>B_@@ T@&to_seqd@Š!a @@@ @&Stdlib#Seq!tu@@ @@ @@@ @@ @@BaBeBaB@@ U@+to_seq_keyse@@ @@@ @##Seq!t@@ @@@ @@ @@/BB0BB@@. V@-to_seq_valuesf@!a @@@ @A#Seq!t@@ @@ @@JBBKBC
@@I W@'add_seqg@!!a @@@ @@^#Seq!t@@ @@ @~@@ @}@@ @|@ @{@ @z@rC#C'sC#CU@@q X@+replace_seqh@I!a @@@ @y@#Seq!t@@ @x@ @w@@ @vF@@ @u@ @t@ @s@CnCrCnC@@ Y@&of_seqi@#Seq!t@@ @r!a @@ @q@@ @p@@ @o@ @n@CCCC@@ Z@%cleanj@ !a @B@@@ @@@ @@ @@,ephemeron.mlRkmRk@@1@@+stats_alivek@ݠ!a @B@@@ @'Hashtbl*statistics@@ @@ @@SS@)ocaml.docP	4 same as {!stats} but only count the alive bindings -T.T@@@@@@@]A@@@1P772U@aB!SD#keymC  8 @@@A@@@@@N55N55@@@@cA@!tnC  8 !a @R@A@A@O@B@@@%O55&O55@@@@$dA@&createo@@@ @	X!a @P@@ @	W@ @	V@=P55>P55@@<e@%clearp@!a @M@@ @	U @@ @	T@ @	S@TQ55UQ55@@Sf@%resetq@+!a @I@@ @	R@@ @	Q@ @	P@kR55lR56@@jg@$copyr@B!a @D@@ @	OJ@@ @	N@ @	M@T66!T668@@h@#adds@Y!a @?@@ @	L@@@ @	K@
M@@ @	J@ @	I@ @	H@ @	G@U696=U696`@@i@&removet@x!a @:@@ @	F@@@ @	Ei@@ @	D@ @	C@ @	B@V6a6eV6a6@@j@$findu@!a @2@@ @	A@;@@ @	@
@ @	?@ @	>@W66W66@@k@(find_optv@!a @-@@ @	=@S@@ @	<Π@@ @	;@ @	:@ @	9@X66X66@@l@(find_allw@ɠ!a @'@@ @	8@p@@ @	7@@ @	6@ @	5@ @	4@[66[67@@m@'replacex@!a @!@@ @	3@@@ @	2@@@ @	1@ @	0@ @	/@ @	.@-\77.\77B@@,n@#memy@!a @@@ @	-@@@ @	, @@ @	+@ @	*@ @	)@I]7C7GJ]7C7d@@Ho@$iterz@@@@ @	(@!a @@@ @	'@ @	&@ @	%@1
@@ @	$@@ @	#@ @	"@ @	!@m^7e7in^7e7@@lp@2filter_map_inplace{@@@@ @	 @!a @	d@@ @	@ @	@ @	@V@@ @	>@@ @	@ @	@ @	@_77`77@@q@$fold|@@@@ @	@!a @ @!b @@ @	@ @	@ @	@|@@ @	@@ @	@ @	@ @	@c78c787@@r@&length}@!a @@@ @	@@ @	@ @	@d888<d888T@@s@%stats~@!a @@@ @	
@@ @	@ @	@e8U8Ye8U8v@@t@&to_seq@!a @@@ @	
#Seq!tk@@ @		@ @	@@ @	@ @	@g88g88@@u@+to_seq_keys@ޠ @@@ @	#Seq!t@@ @	@@ @	@ @	@"j88#j88@@!v@-to_seq_values@!a @@@ @	4#Seq!t@@ @	 @ @@=m99>m996@@<w@'add_seq@!a @@@ @@Q#Seq!t@@ @@ @@@ @@@ @@ @@ @@ep9O9Sfp9O9@@dx@+replace_seq@<!a @@@ @@y#Seq!t@@ @@ @@@ @9@@ @@ @@ @@s99s99@@y@&of_seq@#Seq!t@@ @!a @@ @@@ @w@@ @@ @@v99v9:@@z@%clean@!a @	_D@	Y@@ @	[@@ @	\@ @	]@Y Y7@@#C@+stats_alive@!a @	fD@	`@@ @	b'Hashtbl*statistics@@ @	c@ @	d@Z8:Z8e@򐠠	4 same as {!stats} but only count the alive bindings [fj[f@@@@@@@MD@@@!W"\@QE,GenHashTableE@%equalF  8 @@%ETrue@@4a5a@@dG&EFalse@@=a>a@@mH%EDead@@FbGb@(	* the garbage collector reclaimed the data SbTb"@@@@@@@I@@A@@@@@W`@@A@FA@ӱ*MakeSeededG@!HJ!tH  8 @@@A@@@@@je?Cke?I@@@@JA@)containerI  8 !a @	o@A@A@G@B@@@zfJN{fJ_@@@@KA@&create@!@@ @	q@!a @	xJ@	r$
@@ @	t@ @	u@ @	v@g`dg`@@L@$hash@@@ @	y@C@@ @	z@@ @	{@ @	|@ @	}@hh@@M@%equal@M!a @	J@	~@@ @	@c@@ @	@@ @	@ @	@ @	@ii@@N@(get_data@m!a @	J@	@@ @	{@@ @	@ @	@jj@@O@'get_key@!a @	J@	@@ @	@@ @	@@ @	@ @	@	k 
k%@@9P@,set_key_data@!a @	J@	@@ @	@@@ @	@@@ @	@ @	@ @	@ @	@+l&*,l&[@@[Q@)check_key@ɠ!a @	J@	@@ @	@@ @	@ @	@Em\`Fm\@@uR@@%M  8 @@@A!t@@ @,@@@@UnVn@@@@ A@)M  8 (@A@A@$#@@"@@@A@@@ @,@@ @,@@@ @,@@ @,@ @,@ @,@@@
@	@@ @,@@ @,@ @,@@@@@@ @,@@ @,@ @,@@@@%@@ @,)@@ @,@ @,@@@@3@@ @,@`@@ @,@@@ @,@ @,@ @,@ @,@@@@H@@ @,@@@ @,@@ @,@ @,@ @,@@@@Z@@ @,@'@@ @,@ @,@ @,@@@@i@@ @,@6@@ @,ɠ@@ @,@ @,@ @,@@@@|@@ @,@I@@ @,@@ @,@ @,@ @,@@@@@@ @,@\@@ @,@@@ @,@ @,@ @,@ @,@@@@@@ @,@p@@ @,@@ @,@ @,@ @,@@@@@~@@ @,@@@ @,@ @,@ @,@@@ @,@@ @,@ @,@ @,@@@@@@@ @,@@@ @,@ @,@ @,@۠@@ @,@@ @,@ @,~@ @,}@@@@@@@ @,|@@@ @,{@ @,z@ @,y@@@ @,x@@ @,w@ @,v@ @,u@@@@@@ @,t|@@ @,s@ @,r@{@x@w@v@@ @,qron@@ @,p@ @,o@m@j@i@h@@ @,nda`@@ @,mu@ @,l@@ @,k@ @,j@_@\@[@2Z@@ @,i{XW@@ @,h@@ @,g@ @,f@V@S@R@EQ@@ @,eMLW@@ @,d@ @,c@K@H@G@UF@@ @,b@BA*@@ @,aU@ @,`@@ @,_@@@ @,^@ @,]@ @,\@?@<@;@q:@@ @,[@65F@@ @,ZI@ @,Y@@ @,X4@@ @,W@ @,V@ @,U@3@0@/@.-\@@ @,T,@ @,S@@ @,R0@@ @,Q@ @,P@(@%@$@ @@ @,O@@ @,N@ @,M@@@@@@ @,L	
@@ @,K@ @,J@	@@@*d$&+55@
Z @@@@.^/55@
^ &ObjEphNA	#Obj)Ephemeron@:55;56@
j (_obj_opt@	٠	.#Obj!t@@ @0@@ @0		<
@@ @0O@0@@ @0@ @0@[66\66@@
 'obj_opt@		O#Obj!t@@ @1@@ @1
!a @1O@1@@ @1@ @1@{66|66@@
 "K1fO@!tP  8 !k @2!d @2@B@Ae!t@@ @2@@@@@@@@77770@@@@
 A@&create@
w@@ @2Q@20!k @2!d @2@@ @2Q@2@ @2Q@2@7278727>@@
 @'get_key@M!k @3?Q@37!d @3=Q@38@@ @3AQ@34
y@@ @3KQ@35@ @36Q@33@7a7g7a7n@@ @,get_key_copy@u!k @3Q@3!d @3Q@3@@ @3Q@3
@@ @3Q@3@ @3Q@3@7777@@@ @'set_key!@!k @47Q@3!d @3Q@3@@ @3Q@3@Q@3@@ @4Q@3@ @3Q@3@ @3Q@3@<77=78@@l@)unset_key%@ɠ!k @4[Q@4S!d @4YQ@4T@@ @4]Q@4P*@@ @4dQ@4Q@ @4RQ@4O@c8E8Kd8E8T@@@)check_key(@!k @4Q@4!d @4Q@4@@ @4Q@4b@@ @4Q@4@ @4Q@4@8888@@@(blit_key+@!k @4Q@4͠!d @4Q@4@@ @4Q@4@/Q@4Q@4@@ @4Q@4@@ @4Q@4@ @4Q@4@ @4Q@4@8888@@	@(get_data/@N!k @5LQ@5D!d @5JQ@5E@@ @5NQ@5Az@@ @5XQ@5B@ @5CQ@5@@9999"@@@-get_data_copy2@v!k @5Q@5!d @5Q@5@@ @5Q@5@@ @5Q@5@ @5Q@5@9[9a9[9n@@A@(set_data5@!k @5Q@5!d @6)Q@5@@ @5Q@5@Q@5@@ @6Q@5@ @5Q@5@ @5Q@5@=99>99@@m@*unset_data9@ʠ!k @6MQ@6E!d @6KQ@6F@@ @6OQ@6B+@@ @6VQ@6C@ @6DQ@6A@d99e9:@@@*check_data<@!k @6Q@6y!d @6Q@6z@@ @6Q@6vc@@ @6Q@6w@ @6xQ@6u@:4:::4:D@@@)blit_data?@@@ @6Q@6@@@ @6Q@6w@@ @6Q@6@ @6Q@6@ @6Q@6@:p:v:p:@@@ӱ*MakeSeededQ@!HCR'Hashtbl0SeededHashedType|U  8 @@@A!t@@ @; @:@@@@|@@@yA@}U  8 @A@A@@@@@@A@~@@ @;@@ @;@@@ @;@@ @;@ @;@ @;@@@@@@ @;}@@ @;@ @;@z@w@v@u@@ @;q@@ @;@ @;@p@m@l@%k@@ @;)o@@ @;@ @;@g@d@c@3b@@ @;%@^@@ @;$@k^@@ @;#@ @;"@ @;!@ @; @]@Z@Y@HX@@ @;*@@@ @;)T@@ @;(@ @;'@ @;&@S@P@O@ZN@@ @;.@'@@ @;-T@ @;,@ @;+@J@G@F@iE@@ @;3@6@@ @;2AN@@ @;1@ @;0@ @;/@@@=@<@|;@@ @;8@I@@ @;77D@@ @;6@ @;5@ @;4@4@1@0@/@@ @;>@\@@ @;=@7+@@ @;<@ @;;@ @;:@ @;9@*@'@&@%@@ @;C@p@@ @;B!@@ @;A@ @;@@ @;?@ @@@@~@@ @;K@@@ @;J@ @;I@ @;H@#@@ @;G@@ @;F@ @;E@ @;D@@@@@@@ @;S@@@ @;R@ @;Q@ @;P@۠@@ @;O@@ @;N@ @;M@ @;L@
@@@@@@ @;[@@@ @;Z@ @;Y@ @;X@@@ @;W@		@ @;V@ @;U@ @;T@
@
@
@
@@ @;^
@@ @;]@ @;\@
@
@
@
@@ @;a


@@ @;`@ @;_@
@
@
@
@@ @;f


ؠ@@ @;e
@ @;d@@ @;c@ @;b@
@
@
@2
@@ @;j


Ϡ@@ @;i@@ @;h@ @;g@
@
@
@E
@@ @;m

Ġ
@@ @;l@ @;k@
@
@
@U
@@ @;t@

*@@ @;s
@ @;r@@ @;q
@@ @;p@ @;o@ @;n@
@
@
@q
@@ @;{@4

F@@ @;z
@ @;y@@ @;x
@@ @;w@ @;v@ @;u@
@
@
@J

\@@ @;
@ @;@@ @;~
@@ @;}@ @;|@
@
@
@
@@ @;
@@ @;@ @;@
@
@
@
@@ @;


@@ @;@ @;@


r@@@
::
==@-@@ӱ$MakeeV@!HW
'Hashtbl*HashedType
|K[  8 @@@A!t@@ @HL@@@@
==
==@@@@9A@
L[  8 
@A@A@
}
|@@
{@@@
xA@
wM@
v@@ @HK
u@@ @HJ@ @HI@
q@
n@
mN@
l@@ @HH
h@@ @HG@ @HF@
g@
d@
cO@
b@@ @HE
^@@ @HD@ @HC@
]@
Z@
YP@%
X@@ @HB)
\@@ @HA@ @H@@
T@
Q@
PQ@3
O@@ @H?@W@@ @H>@
X
K@@ @H=@ @H<@ @H;@ @H:@
J@
G@
FR@H
E@@ @H9@@@ @H8
A@@ @H7@ @H6@ @H5@
@@
=@
<S@Z
;@@ @H4@'@@ @H3
A@ @H2@ @H1@
7@
4@
3T@i
2@@ @H0@6@@ @H/
.
;@@ @H.@ @H-@ @H,@
-@
*@
)U@|
(@@ @H+@I@@ @H*
$
1@@ @H)@ @H(@ @H'@
#@
 @
V@
@@ @H&@\@@ @H%@
&
@@ @H$@ @H#@ @H"@ @H!@
@
@
W@
@@ @H @p@@ @H
@@ @H@ @H@ @H@
@
@
X@@~@@ @H@


@@ @H@ @H@ @H@
@@ @H
@@ @H@ @H@ @H@
@
@
 Y@@@@ @H@		
@@ @H@ @H@ @H@۠
@@ @H	@@ @H@ @H
@ @H@	@	@	Z@@@@ @H@	@		@ @H
@ @H	@ @H@	@@ @H@		@ @H@ @H@ @H@	@	@	[@	@@ @H	@@ @H@ @H@	@	@	\@	@@ @H @@ @G@ @G@	@	@	]@	@@ @G		Ϡ@@ @G	@ @G@@ @G@ @G@	@	@	^@2	@@ @G		Ǡ@@ @G@@ @G@ @G@	@	@	_@E	@@ @G			@@ @G@ @G@	@	@	`@U	@@ @G@
		*@@ @G	@ @G@@ @G	@@ @G@ @G@ @G@	@	@	a@q	@@ @G@
		F@@ @G	@ @G@@ @G	@@ @G@ @G@ @G@	@	@	b@
5		\@@ @G	@ @G@@ @G	@@ @G@ @G@	@	@	c@	@@ @G	@@ @G@ @G@	@	@	d@	@@ @Go		~@@ @G@ @G@	}	z	m@@@==?
?@:@@@@77??@;"K2j\@!tg]  8 "k1 @J"k2 @J!d @J@C@A!t@@ @J@@@@@@@@@@?)?+?)?K@@@@<A@&createh@@@ @J^@J6"k1 @Jݠ"k2 @Jߠ!d @J@@ @J^@J@ @J^@J@?M?S?M?Y@@=@(get_key1k@X"k1 @K^@K"k2 @K^@K!d @K^@K@@ @K!^@K@@ @K+^@K@ @K^@K@
??
??@@@>@-get_key1_copyn@"k1 @K}^@Ks"k2 @K^@Kt!d @K{^@Ku@@ @K^@KpР@@ @K^@Kq@ @Kr^@Ko@
???
@??@@o@@(set_key1q@"k1 @L"^@KӠ"k2 @K^@KԠ!d @K^@K@@ @K^@K@^@K9@@ @K^@K@ @K^@K@ @K^@K@
r@+@1
s@+@9@@B@*unset_key1u@"k1 @LH^@L>"k2 @LJ^@L?!d @LF^@L@@@ @LL^@L;g@@ @LS^@L<@ @L=^@L:@
@@
@@@@E@*check_key1x@"k1 @L^@L"k2 @L^@L!d @L^@L@@ @L^@L}@@ @L^@L~@ @L^@L|@
@@
@@@@G@(get_key2{@E"k1 @L^@L "k2 @L^@Là!d @L^@L@@ @L^@L@@ @L^@L@ @L^@L@
AA

AA@@-I@-get_key2_copy~@t"k1 @M,^@M""k2 @M.^@M#!d @M*^@M$@@ @M0^@M@@ @M:^@M @ @M!^@M@,AUA[-AUAh@@\K@(set_key2@"k1 @M^@M"k2 @M^@M!d @M^@M@@ @M^@M@^@M&@@ @M^@M@ @M^@M@ @M^@M~@_AA`AA@@M@*unset_key2@֠"k1 @M^@M"k2 @M^@M!d @M^@M@@ @M^@MT@@ @N^@M@ @M^@M@BBBB@@P@*check_key2@"k1 @N9^@N/"k2 @N;^@N0!d @N7^@N1@@ @N=^@N,@@ @ND^@N-@ @N.^@N+@BJBPBJBZ@@R@)blit_key1@@@ @N^@Nn@'@@ @N^@N@@ @N^@N@ @N^@No@ @Np^@Nm@BBBB@@T@)blit_key2@A@@ @O^@N@L@@ @O'^@O@@ @O.^@O@ @O^@N@ @N^@N@BBBB@@5W@*blit_key12@f@@ @O^@O@q@@ @O^@O@@ @O^@O@ @O^@O@ @O^@O@*	CDCJ+	CDCT@@ZZ@(get_data@"k1 @P^@P"k2 @P ^@P!d @P^@P@@ @P"^@P@@ @P,^@P@ @P^@P@YCCZCC@@]@-get_data_copy@Р"k1 @Pu^@Pk"k2 @Pw^@Pl!d @Ps^@Pm@@ @Py^@Ph@@ @P^@Pi@ @Pj^@Pg@
CC
CD@@_@(set_data@"k1 @P^@P "k2 @P^@Pà!d @Q^@P@@ @P^@P@^@P@@ @P^@P@ @P^@P@ @P^@P@DKDQDKDY@@a@*unset_data@2"k1 @Q.^@Q$"k2 @Q0^@Q%!d @Q,^@Q&@@ @Q2^@Q!@@ @Q9^@Q"@ @Q#^@Q @DDDD@@d@*check_data@`"k1 @Qg^@Q]"k2 @Qi^@Q^!d @Qe^@Q_@@ @Qk^@QZ@@ @Qr^@Q[@ @Q\^@QY@DDDD@@Gf@)blit_data@x@@ @Q^@Q@@@ @Q^@Q@@ @Q^@Q@ @Q^@Q@ @Q^@Q@<E"E(=E"E1@@lh@ӱ*MakeSeeded^@"H1_0'Hashtbl0SeededHashedType"H2`:'Hashtbl0SeededHashedType5c  8 @@@A !t@@ @Xk!t@@ @Xl@ @Xj @X<@@@@@@@A@Ac  8 @@A@A@<;@@:@@@7A@6530@@ @Xr@@ @Xq@-@@ @Xp*@@ @Xo@ @Xn@ @Xm@&@#@"@!@@ @Xu@@ @Xt@ @Xs@@@@@@ @Xx@@ @Xw@ @Xv@@
@@%@@ @X{)@@ @Xz@ @Xy@@@@3@@ @X@h@@ @X@@@ @X@ @X~@ @X}@ @X|@@@@H@@ @X@@@ @X@@ @X@ @X@ @X@@@@Z@@ @X@'@@ @X@ @X@ @X@@@@i@@ @X@6@@ @X@@ @X@ @X@ @X@@@@|@@ @X@I@@ @Xנ@@ @X@ @X@ @X@@@@@@ @X@\@@ @X@@@ @X@ @X@ @X@ @X@@@@@@ @X@p@@ @X@@ @X@ @X@ @X@@@@@~@@ @X@@@ @X@ @X@ @X@@@ @X@@ @X@ @X@ @X@@@@@@@ @X@@@ @X@ @X@ @X@۠@@ @X@@ @X@ @X@ @X@@@@@@@ @X@@@ @X@ @X@ @X@@@ @X@@ @X@ @X@ @X@@@@@@ @X@@ @X@ @X@@@@@@ @X@@ @X@ @X@@@@@@ @X|yx@@ @X@ @X@@ @X@ @X@w@t@s@2r@@ @Xpo@@ @X@@ @X@ @X@n@k@j@Ei@@ @Xedo@@ @X@ @X@c@`@_@U^@@ @X@ZY*@@ @XϠm@ @X@@ @XX@@ @X@ @X@ @X@W@T@S@qR@@ @X@NMF@@ @X֠a@ @X@@ @XL@@ @X@ @X@ @X@K@H@G@FE\@@ @XܠD@ @X@@ @XH@@ @X@ @X@@@=@<@8@@ @X4@@ @X@ @X@3@/@.@*@@ @X$&%@@ @X@ @X@$!@@@BEsEuC2IpIx@r@@ӱ$Makeid@"H1e6'Hashtbl*HashedType"H2f@'Hashtbl*HashedType&Ol  8 @@@A!t@@ @fà!t@@ @f@ @f@@@@u5IIv5II@@@@A@6Pl  8 5@A@A@10@@/@@@,A@+Q@*@@ @f)@@ @f@ @f@%@"@!R@ @@ @f@@ @f@ @f@@@S@@@ @f@@ @f@ @f@@@
T@%@@ @f)@@ @f@ @f@@@U@3@@ @f@a@@ @f@@@ @f@ @f@ @f@ @f@@@V@H@@ @f@@@ @f@@ @f@ @f@ @f@@@W@Z@@ @f@'@@ @f@ @f@ @f@@@X@i@@ @f@6@@ @f@@ @f@ @f@ @f@@@Y@|@@ @f@I@@ @fؠ@@ @f@ @f@ @f@@@Z@@@ @f@\@@ @f@@@ @f@ @f@ @f@ @f@@@[@@@ @f@p@@ @f@@ @f@ @f@ @f@@@\@@~@@ @f@@@ @f@ @f@ @f@@@ @f@@ @f@ @f@ @f@@@]@@@@ @f@@@ @f@ @f@ @f@۠@@ @f@@ @f@ @f@ @f@@@^@@@@ @f@@@ @f@ @f@ @f~@@@ @f}@@ @f|@ @f{@ @fz@@@_@@@ @fy@@ @fx@ @fw@@@`@@@ @fv@@ @fu@ @ft@@@a@@@ @fs{@@ @fr@ @fq@@ @fp@ @fo@@@~b@2}@@ @fn|{@@ @fm@@ @fl@ @fk@z@w@vc@Eu@@ @fjqp{@@ @fi@ @fh@o@l@kd@Uj@@ @fg@fe*@@ @ffy@ @fe@@ @fdd@@ @fc@ @fb@ @fa@c@`@_e@q^@@ @f`@ZYF@@ @f_m@ @f^@@ @f]X@@ @f\@ @f[@ @fZ@W@T@Sf@RQ\@@ @fYP@ @fX@@ @fWT@@ @fV@ @fU@L@I@Hg@D@@ @fT@@@ @fS@ @fR@?@<@;h@7@@ @fQ#32@@ @fP@ @fO@1.!@@@A4IzI|BGKK@q@@@@E??FIKK@u"KnFm@!tkn  8 !k @i)!d @i*@B@A/!t@@ @i+@@@@@@@@gLKKhLKK@@@@A@&createl@#intA@@ @ieo@i?2!k @iN!d @iL@@ @iOo@i@@ @iAo@i>@NKKNKK@@@&lengtho@O!k @io@i}!d @io@i~@@ @io@iz@@ @io@i{@ @i|o@iy@OKKOKK@@@'get_keyr@v!k @io@i!d @io@i@@ @io@i@@@ @io@iv@@ @io@i@ @io@i@ @io@i@QLL%QLL,@@@,get_key_copyv@!k @j!o@j!d @jo@j@@ @j#o@j@@@ @j.o@j)@@ @j8o@j*@ @j+o@j@ @jo@j@RLnLtRLnL@@G@'set_keyz@ڠ!k @jo@j!d @jo@j@@ @jo@j~@*@@ @jo@j@o@j@@ @jo@j@ @jo@j@ @jo@j@ @jo@j}@MTLLNTLL@@}@)unset_key@!k @jo@j!d @jo@j@@ @jo@j@`@@ @k	o@kE@@ @ko@k@ @ko@j@ @jo@j@~VM#M)VM#M2@@@)check_key@A!k @kFo@k>!d @kDo@k?@@ @kHo@k;@@@ @kSo@kN@@ @kZo@kO@ @kPo@k<@ @k=o@k:@WMgMmWMgMv@@@(blit_key@r!k @ko@k!d @ko@k@@ @ko@k@@@ @ko@k@"o@ko@k@@ @ko@k@@@ @ko@k@@@ @ko@k@@ @ko@k@ @ko@k@ @ko@k@ @ko@k@ @ko@k@ @ko@k@YMMYMM@@4@(get_data@Ǡ!k @l.o@l&!d @l,o@l'@@ @l0o@l#@@ @l:o@l$@ @l%o@l"@,\NN%-\NN-@@\@-get_data_copy@!k @lo@lx!d @l~o@ly@@ @lo@lu@@ @lo@lv@ @lwo@lt@T]NfNlU]NfNy@@@(set_data@!k @lo@lʠ!d @mo@l@@ @lo@l@oauto
/usr/bin/which
which.1.gz
/usr/share/man/man1/which.1.gz
which.de1.gz
/usr/share/man/de/man1/which.1.gz
which.es1.gz
/usr/share/man/es/man1/which.1.gz
which.fr1.gz
/usr/share/man/fr/man1/which.1.gz
which.it1.gz
/usr/share/man/it/man1/which.1.gz
which.ja1.gz
/usr/share/man/ja/man1/which.1.gz
which.pl1.gz
/usr/share/man/pl/man1/which.1.gz
which.sl1.gz
/usr/share/man/sl/man1/which.1.gz

/usr/bin/which.debianutils
0
/usr/share/man/man1/which.debianutils.1.gz
/usr/share/man/de/man1/which.debianutils.1.gz
/usr/share/man/es/man1/which.debianutils.1.gz
/usr/share/man/fr/man1/which.debianutils.1.gz
/usr/share/man/it/man1/which.debianutils.1.gz
/usr/share/man/ja/man1/which.debianutils.1.gz
/usr/share/man/pl/man1/which.debianutils.1.gz
/usr/share/man/sl/man1/which.debianutils.1.gz

                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               .     ..    index.js^#  package.jsonW* 
index.d.ts                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                            ޳iX  .     ..    commonjs esm                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       [At  .   t  ..  t (  AbortMultipartUploadCommand.d.tswu , #CompleteMultipartUploadCommand.d.ts u   CopyObjectCommand.d.ts  u   CreateBucketCommand.d.tsu , !CreateMultipartUploadCommand.d.ts   v 8 .DeleteBucketAnalyticsConfigurationCommand.d.ts  v   DeleteBucketCommand.d.tsv $ DeleteBucketCorsCommand.d.ts v , "DeleteBucketEncryptionCommand.d.ts  "v @ 7DeleteBucketIntelligentTieringConfigurationCommand.d.ts $v 8 .DeleteBucketInventoryConfigurationCommand.d.ts  &v , !DeleteBucketLifecycleCommand.d.ts   (v 4 ,DeleteBucketMetricsConfigurationCommand.d.ts*v 4 )DeleteBucketOwnershipControlsCommand.d.ts   ,v ( DeleteBucketPolicyCommand.d.ts  .v , #DeleteBucketReplicationCommand.d.ts 0v ( DeleteBucketTaggingCommand.d.ts 2v ( DeleteBucketWebsiteCommand.d.ts 4v   DeleteObjectCommand.d.ts6v $ DeleteObjectsCommand.d.ts   8v ( DeleteObjectTaggingCommand.d.ts :v , #DeletePublicAccessBlockCommand.d.ts w 4 ,GetBucketAccelerateConfigurationCommand.d.tsw   GetBucketAclCommand.d.tsw 4 +GetBucketAnalyticsConfigurationCommand.d.ts w $ GetBucketCorsCommand.d.ts   w ( GetBucketEncryptionCommand.d.ts w < 4GetBucketIntelligentTieringConfigurationCommand.d.tsw 4 +GetBucketInventoryConfigurationCommand.d.ts  w 4 +GetBucketLifecycleConfigurationCommand.d.ts "w ( GetBucketLocationCommand.d.ts   $w $ GetBucketLoggingCommand.d.ts&w 4 )GetBucketMetricsConfigurationCommand.d.ts   (w 8 .GetBucketNotificationConfigurationCommand.d.ts  *w 0 &GetBucketOwnershipControlsCommand.d.ts  ,w $ GetBucketPolicyCommand.d.ts .w , !GetBucketPolicyStatusCommand.d.ts   0w (  GetBucketReplicationCommand.d.ts2w , #GetBucketRequestPaymentCommand.d.ts 4w $ GetBucketTaggingCommand.d.ts6w ( GetBucketVersioningCommand.d.ts 8w $ GetBucketWebsiteCommand.d.ts|w   GetObjectAclCommand.d.ts~w ( GetObjectAttributesCommand.d.ts w   GetObjectCommand.d.ts   w ( GetObjectLegalHoldCommand.d.ts  w 0 &GetObjectLockConfigurationCommand.d.ts  w ( GetObjectRetentionCommand.d.ts  w $ GetObjectTaggingCommand.d.tsw $ GetObjectTorrentCommand.d.tsw (  GetPublicAccessBlockCommand.d.tsw   HeadBucketCommand.d.ts  w   HeadObjectCommand.d.ts  w  
index.d.ts  fy 8 -ListBucketAnalyticsConfigurationsCommand.d.ts   hy @ 6ListBucketIntelligentTieringConfigurationsCommand.d.ts  jy 8 -ListBucketInventoryConfigurationsCommand.d.ts   ly 4 +ListBucketMetricsConfigurationsCommand.d.ts ny   ListBucketsCommand.d.ts py (  ListMultipartUploadsCommand.d.tsry   ListObjectsCommand.d.ts ty $ ListObjectsV2Command.d.ts   xy ( ListObjectVersionsCommand.d.ts  zy   ListPartsCommand.d.ts   y 4 ,PutBucketAccelerateConfigurationCommand.d.tsy   PutBucketAclCommand.d.tsy 4 +PutBucketAnalyticsConfigurationCommand.d.ts y $ PutBucketCorsCommand.d.ts   y ( PutBucketEncryptionCommand.d.ts y < 4PutBucketIntelligentTieringConfigurationCommand.d.tsy 4 +PutBucketInventoryConfigurationCommand.d.ts y 4 +PutBucketLifecycleConfigurationCommand.d.ts z $ PutBucketLoggingCommand.d.tsz 4 )PutBucketMetricsConfigurationCommand.d.ts   z 8 .PutBucketNotificationConfigurationCommand.d.ts  z 0 &PutBucketOwnershipControlsCommand.d.ts  	z $ PutBucketPolicyCommand.d.ts z (  PutBucketReplicationCommand.d.ts
z , #PutBucketRequestPaymentCommand.d.ts z $ PutBucketTaggingCommand.d.tsz ( PutBucketVersioningCommand.d.ts z $ PutBucketWebsiteCommand.d.tsz   PutObjectAclCommand.d.tsz   PutObjectCommand.d.ts   z ( PutObjectLegalHoldCommand.d.ts  z 0 &PutObjectLockConfigurationCommand.d.ts  z ( PutObjectRetentionCommand.d.ts  z $ PutObjectTaggingCommand.d.ts!z (  PutPublicAccessBlockCommand.d.ts]z $ RestoreObjectCommand.d.ts   z ( SelectObjectContentCommand.d.ts 7{   UploadPartCommand.d.ts  9{ $ UploadPartCopyCommand.d.ts  l{  "WriteGetObjectResponseCommand.d.ts                                                                                                                    Uۍauto
/usr/bin/awk
awk.1.gz
/usr/share/man/man1/awk.1.gz
nawk
/usr/bin/nawk
nawk.1.gz
/usr/share/man/man1/nawk.1.gz

/usr/bin/mawk
5
/usr/share/man/man1/mawk.1.gz
/usr/bin/mawk
/usr/share/man/man1/mawk.1.gz

                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                 Caml1999T030  GS    2=  0j  4 ,Stdlib__LazyA  ( !t QA'lazy.mlrr@А!a @  0 @@@@@@*floatarrayQ  8 @@@A@@@@@&_none_@@ A@@@5extension_constructorP  8 @@@A@@@@@@@@#intA  8 @@@A@@@@@@A@$charB  8 @@@A@@@@@@A@&stringO  8 @@@A@@@@@@@@%floatD  8 @@@A@@@@@@@@$boolE  8 @@%false^@@!@$true_@@'@@@A@@@@@(@A@$unitF  8 @@"()`@@2@@@A@@@@@3@A@
#exnG  8 @@AA@@@@@7@@@%arrayH  8 @ @O@A@A@ @@@@@@@@@$listI  8 @ @P@A"[]a@@M@"::b@@ @Q@@Z@
@@A@Y@@@@@]@@@&optionJ  8 @ @S@A$Nonec@@j@$Somed@@q@@@A@Y@@@@@t@@@&lazy_tN  8 @ @U@A@A@Y@@@@@}@@@)nativeintK  8 @@@A@@@@@@@@%int32L  8 @@@A@@@@@@@@%int64M  8 @@@A@@@@@@@@:Undefined_recursive_module]    Z@@@ @J@@ @@@ @V@@A=ocaml.warn_on_literal_pattern@@.Assert_failure\    @@ @X@@A@
0Division_by_zeroY    '@@@A@+End_of_fileX    /@@@A @)Sys_errorW    7@3@@AƠ)(@.Sys_blocked_io[    @@@@AΠ10@)Not_foundV    H@@@A֠98@'FailureU    P@L@@AߠBA@0Invalid_argumentT    Y@U@@A蠰KJ@.Stack_overflowZ    b@@@A𠰠SR@-Out_of_memoryS    j@@@A[Z@-Match_failureR    r@qmn@ @c@@Ai	h	@
%bytesC  8 @@@A@@@@@
@@@&StdlibE  8 @ @@A@AO@B@,@@B@-B@G@B@@@RrSr	@@@@a@@@VrWr@@BA@  8 S@A@A0CamlinternalLazy!t^C@(@A
&lazy_tNj @@ @ @@ @*Y@@@@@%@@@"@@Aг0CamlinternalLazy~r	,@А!axr	 r	@@@*{4@@6@@65@  0 }||}}}}}@z@@)Undefined TBt		!t		*@    @@@At		t		G@@A0CamlinternalLazy)Undefined0CamlinternalLazy)Undefinedt		-@@w@@  0 @Q@@,make_forward Uv	I	Rv	I	^@б@А!a @KC@F  0 @2,@@v	I	av	I	c@@г!&lazy_tv	I	jv	I	p@А!av	I	gv	I	i@@@@@ @H
@@@!@ @I@@6caml_lazy_make_forwardAA @@@v	I	Iv	I	@@B@@@)%force Vx		x		@б@г!tx		x		@А!a @QC@L  0 @HY,@@x			x		@@@
@@ @N	@@А!a
x		x		@@@
@ @O@@+%lazy_forceAA=@@@x		x		@@-C@@@@ࠠ)force_val W.{		/{		@@@@ˠ@ @Z@@ @[@ @YC@X  0 10011111@8S&@@@డ)force_val0CamlinternalLazyH{		I{		@@!a @&@@ @'@ @%@4camlinternalLazy.mli]TT]Ts@@E@@(@@\{		@@@"@ࠠ(from_fun Xi}		j}		@@@@@@@ @h#arg @dC@a@ @gC@]
@@ @C@^@ @_C@\  0 zyyzzzzz@J]W@X@D@@@@!f Z@}		}		@@@#@@ @j"@ @i  0 @6}		 @
U
k@@@@@б@г3$unit}		}		@@;@@ @`@@А8=}	
}	
@@@B@ @b @@}		}	
@@@L$@@@ࠠ!x [~
	
~
	
@@@&Stdlib#Obj!t@@ @QD@o  0 @>NE@H@F@@@డ#Obj)new_block~
	
~
	
 @@#intA@@ @@@@ @+@@ @@ @@ @.caml_obj_blockBA @@@@'obj.mli I22 I2i@@+Stdlib__ObjQ! @@@@@D@@@@D@E@@D@@D@@D@>@@డ#Obj(lazy_tag"~
	
!#~
	
-@9@@ @@( U

) U

@@'X@@F@@E@SE@WE@V^@@A<~
	
.=~
	
/@@N@@E@RE@YE@Xn@@_	@@yo@@G~
	
@@డ#Obj)set_fieldV
3
5W
3
B@@@@ @i@t@@ @h@@@ @g$unitF@@ @f@ @e@ @d@ @c.%obj_set_fieldCAt@@@@@t{

u{

?@@sK$#@@@@@D@d@!@@D@c@@@D@b @@D@a@D@`@D@_@D@^  0 @@@G@@@@ఐҠ!x
3
C
3
D@@@@@E@uE@yE@x@@@
3
E
3
F@@Q@@E@tE@{E@z(@@డ#Obj$repr
3
H
3
P@@!a @C@@ @K@ @J)%identityAAԠ@@@YY@@B@@@@j@@E@g@E@E@@@E@@E@X@@ఐ_!f
3
Q
3
R@@@e@@
3
G
3
S@@'@@E@k@@@@@@C@D@rr@డ#Obj#obj
 @
U
X @
U
_@@B@@ @M!a @?@ @L)%identityAA@@@ZZ@@C@@@T@@C@@@C@C@@C@@@ఐl!x4 @
U
`5 @
U
a@@@n@@D@D@D@@@5
@г !tH @
U
iI @
U
j@А#argC@İQ @
U
dR @
U
h@@@Ӡ@@ @˰@@Y @
U
WA@@@@@@@@@@AA@@@ @  0 TSSTTTTT@@@@@@@ܠ@ࠠ(from_val l B
m
qm B
m
y@@@@#arg @eC@C@O@@ @ZC@@ @C@  0 vuuvvvvv@@@E@@@@!v @ B
m
{ B
m
|@@  0 @* B
m
m H6;@@@@
	@А&-C@ B
m
 B
m
@@ B
m
z B
m
@@@3@@@ࠠ!t  C

 C

@@@@@ @D@  0 @)4I@.@I@@@డ#Obj#tag C

 C

@@@@ @W@@ @V@ @U,caml_obj_tagA@٠@@@^^@'noalloc^^@@^@@G@@@@@D@7@@D@@D@6@@డ#Obj$repr C

 C

@;@@@C@8@@E@@E@O@@ఐ!v C

 C

@Y@@C@]@@ C

 C

@@L@@E@c@@T@@hd@@ C

@@డ"||* D

+ D

@@$boolE@@ @ @@@ @ @@ @ @ @ @ @ '%sequorBA @@@@*stdlib.mli %% %%F@@w_! @@@@@C@@@@C@@@C@@C@@C@  0 MLLMMMMM@@@hJ@@@@డ&!=h D

i D

@@!a @ S@D@@ @ R@ @ Q@ @ P&%equalBA8@@@@7 y8 y@@Q@@@@@D@D@@@@D@@D@@D@5@@ఐ砐!t D

 D

@?@@B@@డc#Obj+forward_tag D

 D

@@@ @@ Y;; Y;P@@\@@0E@]@@@@@@D@D@E@e@@డ D

 D

@@@@@@D@@@@D@@@D@@D@@D@@@డ|~ D

 D

@{@@@5@@E@3E@*@|@@E@)@E@(@E@'@@ఐL!t D

 D

@@@@@డ#Obj(lazy_tag D


 D

@@@'F@4@@@@@@E@%E@6F@2@@డ$ D

% D

@@@@v@@E@DE@;@@@E@:@E@9@E@8@@ఐ!t= D

> D

@@@@@డ	#Obj*double_tagM D

N D

@d@@ @@S ]T ]@@R`@@0F@E@@@@)@@E@$E@GF@C@@h@@1@@D@D@IE@#@@@@)@@C@KD@ @ఐɠ,make_forward{ E

| E
@@@@@@C@N@C@M,@@ఐ!v E
 E
	@հ@@9@@ D

 F
@@C@T>@డ_#Obj%magic G  G)@@!a @=!b @<@ @N)%identityAA@@@[[6@@D@@@FBK@@C@jC@d@C@ci@@ఐ@!v G* G+@@@Ov@@,@гW!t G3 G4@А#argkC@V G. G2@@@g@@ @X@@ F
S@@@n@ D

U@@W@V@@q3@@AIWA@@zt@ @~  0 @^@@@@\@\[@p@ࠠ&is_val  K>B K>H@@@@#arg @C@@@ @C@@@ @C@@ @C@  0 

@@@&H@@@@!l @$ K>J% K>K@@! @@ @  0 @3. K>>/ K>|@@@@
@г0!t; K>S< K>T@А27A K>NB K>R@@@>=@@ @@@I K>IJ K>U@@@F!@@డ"<>T K>mU K>o@@!a @ W@M@@ @ V@ @ U@ @ T)%notequalBA#@@@@" # @@R@@@@@C@C@@c@@C@@C@@C@  0 mllmmmmm@O^U@X@L@@@@డG#Obj#tag K>X K>_@°@@@@@D@@@D@@D@@@డa#Obj$repr K>a K>i@@@@@@E@E@@@E@@E@;@@ఐ!l K>j K>k@E@@H@@ K>` K>l@@@@E@N@@<@@WO@@డ#Obj(lazy_tag K>p@@@hD@`@@N@@a@@AA@@@ @  0 @@@@@@@Ƞ@ࠠ-lazy_from_fun  M~ M~@@@@@~@@ @ @@ @v@@ @@ @C@  0 @@@
K@@@ఐ(from_fun M~ M~@@@@@	 M~~@@@@ࠠ-lazy_from_val  O O@@@@ @@@ @@ @C@  0 @)?9@:@2M@@@ఐ(from_val- O. O@@@@@1 O@@@@ࠠ+lazy_is_val > Q? Q@@@@@ @@@ @8@@ @@ @C@  0 BAABBBBB@,=7@8@]N@@@ఐ\&is_valX QY Q@^@@@@\ Q@@@@ࠠ#map i Tj T@@@@@@ @@ @C@搐A @C@@C@@@ @C@@@ @C@@ @C@@ @C@  0 @CWQ@R@O@@@@!f  T T@@@0  0 @< T U@@@@@@!x  T T@@@3  0 @ F@@Q@@@@  ఐ)!f U U@@@UC@  0 @ I@@R@@@@ఐ砐%force U U@@@@Y@@D@Z@D@@@ఐ=!x U U@#@@lC@'@@ U U@@k*@@ UM@@|,@ UO@@j.@@AEPA@w  0 @B@@@@AZRA@@{@ @	  0 @Y@@@@W@WV@l@ࠠ'map_val 	 W	 W@@@@@ @~C@V @=C@WA @XC@@C@@@ @+C@@@ @NC@@ @C@@ @
C@
  0 								@@@	:P@@@@!f 	8 W	9 W@@@.  0 	0	/	/	0	0	0	0	0@:	? W	@ Z<U@@@@@@!x 	K W	L W@@@1  0 	C	B	B	C	C	C	C	C@ D@@	^T@@@@ఐa&is_val	] X	^ X@c@@@]C@@C@T@@C@@C@  0 	^	]	]	^	^	^	^	^@(O@@	yU@@@@ఐ0!x	w X	x X@@@]C@@@@@@@C@9D@#@ఐt-lazy_from_val	 Y 	 Y-@=@@@y|@@C@<@C@;*@@ఐk!f	 Y/	 Y0@Q@@C@:@@ఐ%force	 Y2	 Y7@@@@C@[@@E@\@E@ZP@@ఐ|!x	 Y8	 Y9@Z@@]@@	 Y1	 Y:@@`@@	 Y.	 Y;@@c@@C@@d@  ఐ!f	 Z<I	 Z<J@@@s@@ఐ%force	 Z<L	 Z<Q@Ұ@@@@@D@@D@}@@ఐ!x	 Z<R	 Z<S@@@@@	 Z<K
  Z<T@@@@
 Z<H@@@
 Z<C@@@
 X
@@@@AA@  0 								@@@@@AA@@@ @  0 

 
 




@@@@@@@@
A@~B@f9@+@@@@&"@;@@@@& @!@
6S@@  0 







@*@@@!t !a @@@ @$boolE@@ @@ @@(lazy.mli '' Fw@0ocaml.deprecated FK	 F[@8Use Lazy.is_val instead. F] Fu@@ F\ Fv@@@@@ FH@@,Stdlib__LazyK@!a @7@@ @@ @@* + @0ocaml.deprecated1 2 @:Use Lazy.from_val instead.< = @@? @ @@@@@B @@)Je@@$unitF@@ @!a @@ @g@@ @@ @@Z [ H{@0ocaml.deprecateda HMb H]@:Use Lazy.from_fun instead.l H_m Hy@@o H^p Hz@@@@@r HJ@@YI2@!a @@@ @@ @@ }XX }Xr@@jHG@@A@@ @!a @@ @@@ @@ @@ t%% t%H@@G@@!a @!b @@ @@
@@ @à
@@ @@ @@ @@ ^ ^F@@F@!a @Ԡ@@ @@ @@ W

 W
@@E@!a @@@ @@@ @@ @@ R
m
m R
m
@@D@@!a @!b @@ @@
@@ @
@@ @@ @@ @@ Gff Gf@@C	)@!a @@@ @@ @ǐ+%lazy_forceAA @@@|

|

@@B@	H************************************************************************YA@@ZA@ L@	H                                                                        _B M M`B M @	H                                 OCaml                                  eC  fC  @	H                                                                        kD  lD 3@	H             Damien Doligez, projet Para, INRIA Rocquencourt            qE44rE4@	H                                                                        wFxF@	H   Copyright 1997 Institut National de Recherche en Informatique et     }G~G@	H     en Automatique.                                                    HHg@	H                                                                        IhhIh@	H   All rights reserved.  This file is distributed under the terms of    JJ@	H   the GNU Lesser General Public License version 2.1, with the          KKN@	H   special exception on linking described in the file LICENSE.          LOOLO@	H                                                                        MM@	H************************************************************************NN5@	& Module [Lazy]: deferred computations P77P7a@	u
   WARNING: some purple magic is going on here.  Do not take this file
   as an example of how to program in OCaml.
SddV@
   We make use of two special tags provided by the runtime:
   [lazy_tag] and [forward_tag].

   A value of type ['a Lazy.t] can be one of three things:
   1. A block of size 1 with tag [lazy_tag].  Its field is a closure of
      type [unit -> 'a] that computes the value.
   2. A block of size 1 with tag [forward_tag].  Its field is the value
      of type ['a] that was computed.
   3. Anything else except a float.  This has type ['a] and is the value
      that was computed.
   Exceptions are stored in format (1).
   The GC will magically change things from (2) to (3) according to its
   fancy.

   If OCaml was configured with the -flat-float-array option (which is
   currently the default), the following is also true:
   We cannot use representation (3) for a [float Lazy.t] because
   [caml_make_array] assumes that only a [float] value can have tag
   [Double_tag].

   We have to use the built-in type constructor [lazy_t] to
   let the compiler implement the special typing and compilation
   rules for the [lazy] keyword.
Yp@@  H +../ocamlopt0-strict-sequence(-absname"-w8+a-4-9-41-42-44-45-48-70"-g+-warn-error"+A*-bin-annot)-nostdlib*-principal,-safe-string/-strict-formats2-function-sections"-o0stdlib__Lazy.cmx"-c̐(./stdlib @0?Iژؽˮ4  0 @@@8CamlinternalFormatBasics0ĵ'(jdǠ
_01H^(YPhOD5g&Stdlib0-&fºnr39tߠ-Stdlib__Int320Z(I09=C;!7+Stdlib__Obj0_bE@Xt@@A                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             Caml1999I030     c  N  *,Stdlib__Lazy!t _  8 !a @ @A@A0CamlinternalLazy!t
@@ @ ҠY@@@@@(lazy.mliRVVRVw@@@@@A@ )Undefined `    #exnG@@@A&_none_@@ A@)AB@%force a@0!a @ @@ @ @ @ Ր+%lazy_forceAA @@@'|

(|

@@BB@#map b@@!a @ !b @ @ @ @%
@@ @ )
@@ @ @ @ @ @ @F GffG Gf@@aC@&is_val c@8!a @ @@ @ $boolE@@ @ @ @ @_ R
m
m` R
m
@@zD@(from_val d@!a @ U@@ @ @ @ @r W

s W
@@E@'map_val e@@!a @ !b @ @ @ @p
@@ @ t
@@ @ @ @ @ @ @ ^ ^F@@F@(from_fun f@@$unitF@@ @ !a @ @ @ @@ @ @ @ @ t%% t%H@@G@)force_val g@!a @ @@ @ @ @ @ }XX }Xr@@H@-lazy_from_fun h@@.@@ @ !a @ @ @ @@ @ @ @ @  H{@0ocaml.deprecated HM H]@:Use Lazy.from_fun instead. H_ Hy@@ H^ Hz@@@@@ HJ@@
I@-lazy_from_val i@!a @ @@ @ @ @ @  @0ocaml.deprecated	 
 @:Use Lazy.from_val instead.  @@  @@@@@ @@4J@+lazy_is_val j@!a @ @@ @ @@ @ @ @ @0 ''1 Fw@0ocaml.deprecated7 FK8 F[@8Use Lazy.is_val instead.B F]C Fu@@E F\F Fv@@@@@H FH@@bK@@         N   >,Stdlib__Lazy09=C;!7&Stdlib0-&fºnr39tߠ0CamlinternalLazy01H^(YPhOD5g8CamlinternalFormatBasics0ĵ'(jd@            @@Caml1999T030  D3  ;  !w    4 ,Stdlib__Lazy*ocaml.text&_none_@@ A8 Deferred computations. (lazy.mliP77P7T@@@@@@  0 @@@@@@*floatarrayQ  8 @@@A@@@@@3@@@5extension_constructorP  8 @@@A@@@@@7@@@#intA  8 @@@A@@@@@;@A@$charB  8 @@@A@@@@@?@A@&stringO  8 @@@A@@@@@C@@@%floatD  8 @@@A@@@@@G@@@$boolE  8 @@%false^@@Q@$true_@@W@@@A@@@@@X@A@$unitF  8 @@"()`@@b@@@A@@@@@c@A@
#exnG  8 @@AA@@@@@g@@@%arrayH  8 @ @O@A@A@ @@@@@p@@@$listI  8 @ @P@A"[]a@@}@"::b@@ @Q@@@
@@A@Y@@@@@@@@&optionJ  8 @ @S@A$Nonec@@@$Somed@@@@@A@Y@@@@@@@@&lazy_tN  8 @ @U@A@A@Y@@@@@@@@)nativeintK  8 @@@A@@@@@@@@%int32L  8 @@@A@@@@@@@@%int64M  8 @@@A@@@@@@@@:Undefined_recursive_module]    Z@@@ @J@@ @@@ @V@@A͠=ocaml.warn_on_literal_patternѐ@@.Assert_failure\    @@ @X@@Aݠ@
0Division_by_zeroY    '@@@A堰@+End_of_fileX    /@@@A @)Sys_errorW    7@3@@A)(@.Sys_blocked_io[    @@@@A10@)Not_foundV    H@@@A9	8	@'FailureU    P@L@@ABA@0Invalid_argumentT    Y@U@@AKJ@.Stack_overflowZ    b@@@A S#R#@-Out_of_memoryS    j@@@A([+Z+@-Match_failureR    r@qmn@ @c@@A6i9h9@
%bytesC  8 @@@A@@@@@=@@@&Stdlib@A6A  ( !t QA>RV^?RV_@А!a @  0 EDDEEEEE@D  8 @ @@A@A@B@,@@B@-B@G@B@@@[RVV\RVw@)ocaml.docm
  J A value of type ['a Lazy.t] is a deferred computation, called
   a suspension, that has a result of type ['a].  The special
   expression syntax [lazy (expr)] makes a suspension of the
   computation of [expr], without computing [expr] itself yet.
   "Forcing" the suspension will then compute [expr] and return its
   result. Matching a suspension with the special pattern syntax
   [lazy(pattern)] also computes the underlying expression and
   tries to bind it to [pattern]:

  {[
    let lazy_option_map f x =
    match x with
    | lazy (Some x) -> Some (Lazy.force f x)
    | _ -> None
  ]}

   Note: If lazy patterns appear in multiple cases in a pattern-matching,
   lazy expressions may be forced even outside of the case ultimately selected
   by the pattern matching. In the example above, the suspension [x] is always
   computed.


   Note: [lazy_t] is the built-in type constructor used by the compiler
   for the [lazy] keyword.  You should not use it directly.  Always use
   [Lazy.t] instead.

   Note: [Lazy.force] is not thread-safe.  If you use this module in
   a multi-threaded program, you will need to add some locks.

   Note: if the program is compiled with the [-rectypes] option,
   ill-founded recursive definitions of the form [let rec x = lazy x]
   or [let rec x = lazy(lazy(...(lazy x)))] are accepted by the type-checker
   and lead, when forced, to ill-formed values that trigger infinite
   loops in the garbage collector and other parts of the run-time system.
   Without the [-rectypes] option, such ill-founded recursive definitions
   are rejected by the type-checker.
jSxxkw

@@@@@@@@@@@AnRV[oRV]@@BA@  8 .@A@A0CamlinternalLazy!t9C@(@@ @*Y@@@@@'$@@@@Aг0CamlinternalLazyRVe.@А!aFRVbRVd@@@I6@@85@87@)Undefined TBz

z

@    @@@Az

@@A@@@@  0 @m6@A@%force U|

|

@б@г}!t|

|

@А!a @FC@A  0 @"0*@A|

|

@@@
@@ @C	@@А!a
|

|

@@@
@ @D@@+%lazy_forceAA @@@|

|

@
  > [force x] forces the suspension [x] and returns its result.
   If [x] has already been forced, [Lazy.force x] returns the
   same value again without recomputing it.  If it raised an exception,
   the same exception is raised again.
   @raise Undefined if the forcing of [x] tries to force [x] itself
   recursively.
} CLN@@@@@@@B@@,/ {1 Iterators}  EPP  EPd@@@@@@  0 @<W*@A#map V Gfj Gfm@б@б@А!a @WC@M Gfq Gfs@@А!b @YC@N#% Gfw& Gfy@@@
@ @O(@@б@г!t3 Gf4 Gf@А!a%8: Gf~; Gf@@@+@@ @Q?
@@г
!tH GfI Gf@А!b/MO GfP Gf@@@5@@ @ST
@@@@ @TW@@@4@ @UZ\ Gfp@@@_ Gff@	 [map f x] returns a suspension that, when forced,
    forces [x] and applies [f] to its value.

    It is equivalent to [lazy (f (Lazy.force x))].

    @since 4.13.0
k Hl N
5
7@@@@@@@C@&@n	- {1 Reasoning on already-forced suspensions} | P
9
9} P
9
k@@@@@@  0 {zz{{{{{@~y#@A&is_val W R
m
q R
m
w@б@гU!t R
m
} R
m
~@А!a @`C@Z  R
m
z R
m
|@@@@@ @\'@@гm$bool R
m
 R
m
@@	@@ @]4@@@@ @^7@@@ R
m
m@\	p [is_val x] returns [true] if [x] has already been forced and
    did not raise an exception.
    @since 4.00.0  S

 U

@@@@@@@D@@J(from_val X W
 W

@б@А!a @fC@a  0 @_Z(@A W

 W
@@г!t W
 W
@А!a W
 W
@@@@@ @c
@@@!@ @d@@@ W

@	 [from_val v] evaluates [v] first (as any function would) and returns
    an already-forced suspension of its result.
    It is the same as [let x = v in lazy x], but uses dynamic tests
    to optimize suspension creation in some cases.
    @since 4.00.0  X \@@@@@@@E@"@/'map_val Y ^" ^)@б@б@А!a @qC@g  0 @FW*@A$ ^-% ^/@@А!b @sC@h
/ ^30 ^5@@@
@ @i@@б@г!t= ^=> ^>@А!a'"D ^:E ^<@@@-@@ @k)
@@г!tR ^ES ^F@А!b/7Y ^BZ ^D@@@5@@ @m>
@@@@ @nA@@@4@ @oDf ^,@@@i ^@
  2 [map_val f x] applies [f] directly if [x] is already forced,
   otherwise it behaves as [map f x].

   When [x] is already forced, this behavior saves the construction of
   a suspension, but on the other hand it performs more work eagerly
   that may not be useful if you never force the function result.

   If [f] raises an exception, it will be raised immediately when
   [is_val x], or raised only when forcing the thunk otherwise.

   If [map_val f x] does not raise an exception, then
   [is_val (map_val f x)] is equal to [is_val x].

    @since 4.13.0 u _GGv lj~@@@@@@@F@&@X	 {1 Advanced}

   The following definitions are for advanced uses only; they require
   familiary with the lazy compilation scheme to be used appropriately.  o r#@@@@@@  0 @h{#@A(from_fun Z t%) t%1@б@б@гN$unit t%5 t%9@@	@@ @t@@А!a @{C@u% t%= t%?@@@
@ @v*@@г|!t t%G t%H@А!a8 t%D t%F@@@@@ @x?
@@@@ @yB t%4@@@ t%%@r
   [from_fun f] is the same as [lazy (f ())] but slightly more efficient.

    It should only be used if the function [f] is already defined.
    In particular it is always less efficient to write
    [from_fun (fun () -> expr)] than [lazy expr].

    @since 4.00.0  uII {BV@@@@@@@G@#@V)force_val [ }X\ }Xe@б@г!t }Xk }Xl@А!a @C@|  0 @up2@A }Xh  }Xj@@@
@@ @~	@@А!a

 }Xp }Xr@@@
@ @@@@ }XX@
   [force_val x] forces the suspension [x] and returns its
    result. If [x] has already been forced, [force_val x]
    returns the same value again without recomputing it.

    If the computation of [x] raises an exception, it is unspecified
    whether [force_val x] raises the same exception or {!Undefined}.
    @raise Undefined if the forcing of [x] tries to force [x] itself
    recursively.
 ~ss @@@@@@@5H@@%30 {1 Deprecated} . / @@@@@@  0 -,,-----@5P#@A-lazy_from_fun \: #; 0@б@б@г$unitG 4H 8@@	@@ @@@А!a @C@%V <W >@@@
@ @*@@г$!tb Fc G@А!a8i Cj E@@@@@ @?
@@@@ @Bs 3@@@v w H{@0ocaml.deprecated} HM~ H]@:Use Lazy.from_fun instead. H_ Hy@@ H^ Hz@@@@@ HJ@2	% @deprecated synonym for [from_fun].  || |@@@@@@@I@('@&n)-lazy_from_val ]  @б@А!a @C@  0 @~@@A  @@г!t  @А!a  @@@@@ @
@@@!@ @@@@  @0ocaml.deprecated  @:Use Lazy.from_val instead.  @@  @@@@@ @	% @deprecated synonym for [from_val].   %@@@@@@@
J@('@&G)+lazy_is_val ^ '+ '6@б@гΠ!t '<
 '=@А!a @C@  0 @fwJ@A '9 ';@@@
@@ @	@@г蠐$bool( 'A) 'E@@	@@ @@@@@ @@@@3 ''4 Fw@0ocaml.deprecated: FK; F[@8Use Lazy.is_val instead.E F]F Fu@@H F\I Fv@@@@@K FH@	# @deprecated synonym for [is_val]. W xxX x@@@@@@@oK@('@&D)@#A@B@@\@@n@Z@@^@9@@vB@@  0 pooppppp@]xD@A@	H************************************************************************yA@@zA@ L@	H                                                                        B M MB M @	H                                 OCaml                                  C  C  @	H                                                                        D  D 3@	H             Damien Doligez, projet Para, INRIA Rocquencourt            E44E4@	H                                                                        FF@	H   Copyright 1997 Institut National de Recherche en Informatique et     GG@	H     en Automatique.                                                    HHg@	H                                                                        IhhIh@	H   All rights reserved.  This file is distributed under the terms of    JJ@	H   the GNU Lesser General Public License version 2.1, with the          KKN@	H   special exception on linking described in the file LICENSE.          LOOLO@	H                                                                        MM@	H************************************************************************NN5@9* Deferred computations. ͠
  K* A value of type ['a Lazy.t] is a deferred computation, called
   a suspension, that has a result of type ['a].  The special
   expression syntax [lazy (expr)] makes a suspension of the
   computation of [expr], without computing [expr] itself yet.
   "Forcing" the suspension will then compute [expr] and return its
   result. Matching a suspension with the special pattern syntax
   [lazy(pattern)] also computes the underlying expression and
   tries to bind it to [pattern]:

  {[
    let lazy_option_map f x =
    match x with
    | lazy (Some x) -> Some (Lazy.force f x)
    | _ -> None
  ]}

   Note: If lazy patterns appear in multiple cases in a pattern-matching,
   lazy expressions may be forced even outside of the case ultimately selected
   by the pattern matching. In the example above, the suspension [x] is always
   computed.


   Note: [lazy_t] is the built-in type constructor used by the compiler
   for the [lazy] keyword.  You should not use it directly.  Always use
   [Lazy.t] instead.

   Note: [Lazy.force] is not thread-safe.  If you use this module in
   a multi-threaded program, you will need to add some locks.

   Note: if the program is compiled with the [-rectypes] option,
   ill-founded recursive definitions of the form [let rec x = lazy x]
   or [let rec x = lazy(lazy(...(lazy x)))] are accepted by the type-checker
   and lead, when forced, to ill-formed values that trigger infinite
   loops in the garbage collector and other parts of the run-time system.
   Without the [-rectypes] option, such ill-founded recursive definitions
   are rejected by the type-checker.
f
  ?* [force x] forces the suspension [x] and returns its result.
   If [x] has already been forced, [Lazy.force x] returns the
   same value again without recomputing it.  If it raised an exception,
   the same exception is raised again.
   @raise Undefined if the forcing of [x] tries to force [x] itself
   recursively.
栠0* {1 Iterators} נ	* [map f x] returns a suspension that, when forced,
    forces [x] and applies [f] to its value.

    It is equivalent to [lazy (f (Lazy.force x))].

    @since 4.13.0
n	.* {1 Reasoning on already-forced suspensions} `	q* [is_val x] returns [true] if [x] has already been forced and
    did not raise an exception.
    @since 4.00.0 
   * [from_val v] evaluates [v] first (as any function would) and returns
    an already-forced suspension of its result.
    It is the same as [let x = v in lazy x], but uses dynamic tests
    to optimize suspension creation in some cases.
    @since 4.00.0 ۠
  3* [map_val f x] applies [f] directly if [x] is already forced,
   otherwise it behaves as [map f x].

   When [x] is already forced, this behavior saves the construction of
   a suspension, but on the other hand it performs more work eagerly
   that may not be useful if you never force the function result.

   If [f] raises an exception, it will be raised immediately when
   [is_val x], or raised only when forcing the thunk otherwise.

   If [map_val f x] does not raise an exception, then
   [is_val (map_val f x)] is equal to [is_val x].

    @since 4.13.0 p	* {1 Advanced}

   The following definitions are for advanced uses only; they require
   familiary with the lazy compilation scheme to be used appropriately. b
  	* [from_fun f] is the same as [lazy (f ())] but slightly more efficient.

    It should only be used if the function [f] is already defined.
    In particular it is always less efficient to write
    [from_fun (fun () -> expr)] than [lazy expr].

    @since 4.00.0 
  * [force_val x] forces the suspension [x] and returns its
    result. If [x] has already been forced, [force_val x]
    returns the same value again without recomputing it.

    If the computation of [x] raises an exception, it is unspecified
    whether [force_val x] raises the same exception or {!Undefined}.
    @raise Undefined if the forcing of [x] tries to force [x] itself
    recursively.
Ѡ1* {1 Deprecated} à	&* @deprecated synonym for [from_fun]. Z	&* @deprecated synonym for [from_val]. 	$* @deprecated synonym for [is_val]. @  D )../ocamlc0-strict-sequence(-absname"-w8+a-4-9-41-42-44-45-48-70"-g+-warn-error"+A*-bin-annot)-nostdlib*-principal,-safe-string/-strict-formats"-o0stdlib__Lazy.cmi"-c	
(./stdlib @0_;u  0 





@@@8CamlinternalFormatBasics0ĵ'(jdǠ01H^(YPhOD5g&Stdlib0-&fºnr39tߠ609=C;!7@09=C;!7A                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  Caml1999Y030  f    	  .  ( ,Stdlib__List@+Stdlib__Sys0wg1XƮ"~7+Stdlib__Seq0Jd8_mJk0U#r&L.Stdlib__Either0$_ʩ<&Stdlib0-&fºnr39tߠ8CamlinternalFormatBasics0ĵ'(jd@+Stdlib__Sys0:eW -b:U+Stdlib__Seq0x'~Rr7Ox&Stdlib0~tV*e @DBC@CB@@  ;camlStdlib__List__length_88AA!l Z@?camlStdlib__List__length_aux_84AA
@    'list.mlYO]YA3Stdlib__List.length9Stdlib__List.length.(fun)    WDHWA7Stdlib__List.length_aux=Stdlib__List.length_aux.(fun)@@    WLbW@@A@	%camlStdlib__List__compare_lengths_696BA@A@	)camlStdlib__List__compare_length_with_701BA@A@9camlStdlib__List__cons_91BA!a ]!l ^@@@@@@
@    ,[OS[A1Stdlib__List.cons7Stdlib__List.cons.(fun)@A@@7camlStdlib__List__hd_95AA%param b@@@    B_DHWW_A/Stdlib__List.hd5Stdlib__List.hd.(fun)@6camlStdlib__failwith_63camlStdlib__List__1"hd@    P^JW??^@A@7camlStdlib__List__tl_99AA f@A@    `cDHcA/Stdlib__List.tl5Stdlib__List.tl.(fun)@3camlStdlib__List__2"tl@    mbJWxxb
@A@9camlStdlib__List__nth_103BA@A@=camlStdlib__List__nth_opt_112BA@A@9camlStdlib__List__rev_127AA!l @	 camlStdlib__List__rev_append_122@@    |L[|A0Stdlib__List.rev6Stdlib__List.rev.(fun)@A@:camlStdlib__List__init_227BA@A@1camlStdlib__@_197BA@A@BA@A@=camlStdlib__List__flatten_231AA@A@;camlStdlib__List__equal_705CA@A@=camlStdlib__List__compare_713CA@A@:camlStdlib__List__iter_261BA@A@;camlStdlib__List__iteri_272BA!f!l@;camlStdlib__List__iteri_266@
@     tP[ tA2Stdlib__List.iteri8Stdlib__List.iteri.(fun)@A@9camlStdlib__List__map_236BA@A@:camlStdlib__List__mapi_249BA!f !l @:camlStdlib__List__mapi_242@
@     bOY

 bA1Stdlib__List.mapi7Stdlib__List.mapi.(fun)@A@=camlStdlib__List__rev_map_252BA@A@	 camlStdlib__List__filter_map_452AA@A:camlStdlib__List__fun_1011A@#arg񠐠#env@9camlStdlib__List__aux_455B	@@C@@@    BHA7Stdlib__List.filter_map=Stdlib__List.filter_map.(fun)@A@	 camlStdlib__List__concat_map_461BA@A@	#camlStdlib__List__fold_left_map_472CA@A@?camlStdlib__List__fold_left_275CA@A@	 camlStdlib__List__fold_right_281CA@A@;camlStdlib__List__iter2_309CA@A@:camlStdlib__List__map2_287CA@A@>camlStdlib__List__rev_map2_296CA@A@	 camlStdlib__List__fold_left2_317DA@A@	!camlStdlib__List__fold_right2_326DA@A@=camlStdlib__List__for_all_335BA@A@<camlStdlib__List__exists_340BA@A@>camlStdlib__List__for_all2_345CA@A@=camlStdlib__List__exists2_353CA@A@9camlStdlib__List__mem_361BA@A@:camlStdlib__List__memq_366BA@A@:camlStdlib__List__find_417BA@A@>camlStdlib__List__find_opt_422BA@A@>camlStdlib__List__find_map_427BA@A@>camlStdlib__List__find_all_433AA@A9camlStdlib__List__fun_995A@Y᠐X@:camlStdlib__List__find_436B@@
C@@@    O BIOO A5Stdlib__List.find_all;Stdlib__List.find_all.(fun)@A@!=camlStdlib__List__filteri_442BA@A@?camlStdlib__List__partition_485BA@A@	#camlStdlib__List__partition_map_495BA@A@;camlStdlib__List__assoc_371BA@A@?camlStdlib__List__assoc_opt_377BA@A@:camlStdlib__List__assq_383BA@A@>camlStdlib__List__assq_opt_389BA@A@?camlStdlib__List__mem_assoc_395BA@A@>camlStdlib__List__mem_assq_400BA@A@	"camlStdlib__List__remove_assoc_405BA@A@	!camlStdlib__List__remove_assq_411BA@A@;camlStdlib__List__split_524AA@A@=camlStdlib__List__combine_531BA@A@	!camlStdlib__List__stable_sort_548BA@A@?camlStdlib__List__sort_uniq_615BA@A@;camlStdlib__List__merge_538CA@A@<camlStdlib__List__to_seq_722AA@A:camlStdlib__List__fun_1098A@HL@9camlStdlib__List__aux_725B@@
C@@@    FBG;;FA3Stdlib__List.to_seq9Stdlib__List.to_seq.(fun)@A@<camlStdlib__List__of_seq_749AA@A@BA#len Ux W@EA@    WW`W@à@@A@	&camlStdlib__List__init_tailrec_aux_130DA@A@>camlStdlib__List__init_aux_135CA@A@'CA@A@$CA@A@@!?$JOj                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                          Caml1999Y030  	  8      ( +Stdlib__Map@+Stdlib__Seq0Jd8_mJk	0@mŘ`rnࠠ&Stdlib0-&fºnr39tߠ8CamlinternalFormatBasics0ĵ'(jd@+Stdlib__Seq0x'~Rr7Ox&Stdlib0~tV*e @DBC@CB@@9camlStdlib__Map__fun_1056AA@A   @=camlStdlib__Map__is_empty_197AA%param @@AA@8camlStdlib__Map__mem_292B@@A@8camlStdlib__Map__add_200C@@A@;camlStdlib__Map__update_344C@@A@>camlStdlib__Map__singleton_166BA@AВ@@@@A;camlStdlib__Map__remove_334B@@A@:camlStdlib__Map__merge_469C@@A@:camlStdlib__Map__union_488C@@A@<camlStdlib__Map__compare_559C@@A@:camlStdlib__Map__equal_576C@@A@9camlStdlib__Map__iter_358BA@A@9camlStdlib__Map__fold_387CA@A@<camlStdlib__Map__for_all_395BA@A@;camlStdlib__Map__exists_402BA@A@;camlStdlib__Map__filter_516BA@A@?camlStdlib__Map__filter_map_526BA@A@>camlStdlib__Map__partition_537BA@A@=camlStdlib__Map__cardinal_592AA@A@=camlStdlib__Map__bindings_603AA!s]@	!camlStdlib__Map__bindings_aux_596@	@    &map.mlFW??A9Stdlib__Map.Make.bindings?Stdlib__Map.Make.bindings.(fun)@A@	 camlStdlib__Map__min_binding_299AA@A@	$camlStdlib__Map__min_binding_opt_304AA@A@	 camlStdlib__Map__max_binding_309AA@A@	$camlStdlib__Map__max_binding_opt_314AA@A@	:camlStdlib__Map__split_455B@@A@9camlStdlib__Map__find_212B@@A@=camlStdlib__Map__find_opt_284B@@A@?camlStdlib__Map__find_first_229BA@A@	#camlStdlib__Map__find_first_opt_245BA@A@>camlStdlib__Map__find_last_261BA@A@	"camlStdlib__Map__find_last_opt_277BA@A@8camlStdlib__Map__map_365BA@A@9camlStdlib__Map__mapi_376BA@A@;camlStdlib__Map__to_seq_628A@@A9camlStdlib__Map__fun_1218A@#arg#env@	!camlStdlib__Map__seq_of_enum__621B	@@C@@@    KFd@@A7Stdlib__Map.Make.to_seq=Stdlib__Map.Make.to_seq.(fun)@A@?camlStdlib__Map__to_rev_seq_645A@@A9camlStdlib__Map__fun_1249A@#ߠ"@	%camlStdlib__Map__rev_seq_of_enum__638B@@
C@@@    lFhAAA;Stdlib__Map.Make.to_rev_seq	!Stdlib__Map.Make.to_rev_seq.(fun)@A@	 camlStdlib__Map__to_seq_from_648B@@A9camlStdlib__Map__fun_1271A@DC@BB@@C@@@    FbCcCcA<Stdlib__Map.Make.to_seq_from	"Stdlib__Map.Make.to_seq_from.(fun)@A@<camlStdlib__Map__add_seq_608B@@A@;camlStdlib__Map__of_seq_618A@!ild@ C@@@    Sb??A7Stdlib__Map.Make.of_seq=Stdlib__Map.Make.of_seq.(fun)@A@@	1)`|(p                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               Caml1999I030  p  R    /Stdlib__Marshal,extern_flags _  8 @@*No_sharing R@@+marshal.mlixx@@A(Closures S@@
yy@@B)Compat_32 T@@z

z

$@@#C@@A@@@@@www@@A@&@A@*to_channel `@&Stdlib+out_channel@@ @ @!a @ @$listIC@@ @ @@ @ $unitF@@ @ @ @ @ @ @ @ @B}

C}

@@RD@(to_bytes a@!a @ @" @@ @ @@ @ %bytesC@@ @ @ @ @ @ Ԑ:caml_output_value_to_bytesBA @@@@g s>>h tR@@wE@)to_string b@!a @ @GE@@ @ @@ @ &stringO@@ @ @ @ @ @ ڐ;caml_output_value_to_stringBA%@@@@ {WW |l@@F@)to_buffer c@;@@ @ @#intA@@ @ @@@ @ @!a @ @}@@ @ @@ @ @@ @ @ @ @ @ @ @ @ @ @ @ @ 

 
R@@G@,from_channel d@*in_channel@@ @ !a @ @ @ @  @@H@*from_bytes e@@@ @ @E@@ @ !a @ @ @ @ @ @  @@I@+from_string f@t@@ @ @^@@ @ !a @ @ @ @ @ @  @@J@+header_size go@@ @ @  X X  X m@@K@)data_size h@@@ @ @@@ @ @@ @ @ @ @ @ @( $s$s) $s$@@8L@*total_size i@@@ @ @@@ @ @@ @ @ @ @ @ @A $$B $$@@QM@@   m      :   ./Stdlib__Marshal0Ibl*__,0&Stdlib0-&fºnr39tߠ8CamlinternalFormatBasics0ĵ'(jd@            @@                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       package ExtUtils::ParseXS;
use strict;

use 5.006001;
use Cwd;
use Config;
use Exporter 'import';
use File::Basename;
use File::Spec;
use Symbol;

our $VERSION;
BEGIN {
  $VERSION = '3.45';
  require ExtUtils::ParseXS::Constants; ExtUtils::ParseXS::Constants->VERSION($VERSION);
  require ExtUtils::ParseXS::CountLines; ExtUtils::ParseXS::CountLines->VERSION($VERSION);
  require ExtUtils::ParseXS::Utilities; ExtUtils::ParseXS::Utilities->VERSION($VERSION);
  require ExtUtils::ParseXS::Eval; ExtUtils::ParseXS::Eval->VERSION($VERSION);
}
$VERSION = eval $VERSION if $VERSION =~ /_/;

use ExtUtils::ParseXS::Utilities qw(
  standard_typemap_locations
  trim_whitespace
  C_string
  valid_proto_string
  process_typemaps
  map_type
  standard_XS_defs
  assign_func_args
  analyze_preprocessor_statements
  set_cond
  Warn
  current_line_number
  blurt
  death
  check_conditional_preprocessor_statements
  escape_file_for_line_directive
  report_typemap_failure
);

our @EXPORT_OK = qw(
  process_file
  report_error_count
  errors
);

##############################
# A number of "constants"

our ($C_group_rex, $C_arg);
# Group in C (no support for comments or literals)
$C_group_rex = qr/ [({\[]
             (?: (?> [^()\[\]{}]+ ) | (??{ $C_group_rex }) )*
             [)}\]] /x;
# Chunk in C without comma at toplevel (no comments):
$C_arg = qr/ (?: (?> [^()\[\]{},"']+ )
       |   (??{ $C_group_rex })
       |   " (?: (?> [^\\"]+ )
         |   \\.
         )* "        # String literal
              |   ' (?: (?> [^\\']+ ) | \\. )* ' # Char literal
       )* /xs;

# "impossible" keyword (multiple newline)
my $END = "!End!\n\n";
# Match an XS Keyword
my $BLOCK_regexp = '\s*(' . $ExtUtils::ParseXS::Constants::XSKeywordsAlternation . "|$END)\\s*:";



sub new {
  return bless {} => shift;
}

our $Singleton = __PACKAGE__->new;

sub process_file {
  my $self;
  # Allow for $package->process_file(%hash), $obj->process_file, and process_file()
  if (@_ % 2) {
    my $invocant = shift;
    $self = ref($invocant) ? $invocant : $invocant->new;
  }
  else {
    $self = $Singleton;
  }

  my %options = @_;
  $self->{ProtoUsed} = exists $options{prototypes};

  # Set defaults.
  my %args = (
    argtypes        => 1,
    csuffix         => '.c',
    except          => 0,
    hiertype        => 0,
    inout           => 1,
    linenumbers     => 1,
    optimize        => 1,
    output          => \*STDOUT,
    prototypes      => 0,
    typemap         => [],
    versioncheck    => 1,
    FH              => Symbol::gensym(),
    %options,
  );
  $args{except} = $args{except} ? ' TRY' : '';

  # Global Constants

  my ($Is_VMS, $SymSet);
  if ($^O eq 'VMS') {
    $Is_VMS = 1;
    # Establish set of global symbols with max length 28, since xsubpp
    # will later add the 'XS_' prefix.
    require ExtUtils::XSSymSet;
    $SymSet = ExtUtils::XSSymSet->new(28);
  }
  @{ $self->{XSStack} } = ({type => 'none'});
  $self->{InitFileCode} = [ @ExtUtils::ParseXS::Constants::InitFileCode ];
  $self->{Overloaded}   = {}; # hashref of Package => Packid
  $self->{Fallback}     = {}; # hashref of Package => fallback setting
  $self->{errors}       = 0; # count

  # Most of the 1500 lines below uses these globals.  We'll have to
  # clean this up sometime, probably.  For now, we just pull them out
  # of %args.  -Ken

  $self->{RetainCplusplusHierarchicalTypes} = $args{hiertype};
  $self->{WantPrototypes} = $args{prototypes};
  $self->{WantVersionChk} = $args{versioncheck};
  $self->{WantLineNumbers} = $args{linenumbers};
  $self->{IncludedFiles} = {};

  die "Missing required parameter 'filename'" unless $args{filename};
  $self->{filepathname} = $args{filename};
  ($self->{dir}, $self->{filename}) =
    (dirname($args{filename}), basename($args{filename}));
  $self->{filepathname} =~ s/\\/\\\\/g;
  $self->{IncludedFiles}->{$args{filename}}++;

  # Open the output file if given as a string.  If they provide some
  # other kind of reference, trust them that we can print to it.
  if (not ref $args{output}) {
    open my($fh), "> $args{output}" or die "Can't create $args{output}: $!";
    $args{outfile} = $args{output};
    $args{output} = $fh;
  }

  # Really, we shouldn't have to chdir() or select() in the first
  # place.  For now, just save and restore.
  my $orig_cwd = cwd();
  my $orig_fh = select();

  chdir($self->{dir});
  my $pwd = cwd();
  my $csuffix = $args{csuffix};

  if ($self->{WantLineNumbers}) {
    my $cfile;
    if ( $args{outfile} ) {
      $cfile = $args{outfile};
    }
    else {
      $cfile = $args{filename};
      $cfile =~ s/\.xs$/$csuffix/i or $cfile .= $csuffix;
    }
    tie(*PSEUDO_STDOUT, 'ExtUtils::ParseXS::CountLines', $cfile, $args{output});
    select PSEUDO_STDOUT;
  }
  else {
    select $args{output};
  }

  $self->{typemap} = process_typemaps( $args{typemap}, $pwd );

  # Move more settings from parameters to object
  foreach my $datum ( qw| argtypes except inout optimize | ) {
    $self->{$datum} = $args{$datum};
  }
  $self->{strip_c_func_prefix} = $args{s};

  # Identify the version of xsubpp used
  print <<EOM;
/*
 * This file was generated automatically by ExtUtils::ParseXS version $VERSION from the
 * contents of $self->{filename}. Do not edit this file, edit $self->{filename} instead.
 *
 *    ANY CHANGES MADE HERE WILL BE LOST!
 *
 */

EOM


  print("#line 1 \"" . escape_file_for_line_directive($self->{filepathname}) . "\"\n")
    if $self->{WantLineNumbers};

  # Open the input file (using $self->{filename} which
  # is a basename'd $args{filename} due to chdir above)
  open($self->{FH}, '<', $self->{filename}) or die "cannot open $self->{filename}: $!\n";

  FIRSTMODULE:
  while (readline($self->{FH})) {
    if (/^=/) {
      my $podstartline = $.;
      do {
        if (/^=cut\s*$/) {
          # We can't just write out a /* */ comment, as our embedded
          # POD might itself be in a comment. We can't put a /**/
          # comment inside #if 0, as the C standard says that the source
          # file is decomposed into preprocessing characters in the stage
          # before preprocessing commands are executed.
          # I don't want to leave the text as barewords, because the spec
          # isn't clear whether macros are expanded before or after
          # preprocessing commands are executed, and someone pathological
          # may just have defined one of the 3 words as a macro that does
          # something strange. Multiline strings are illegal in C, so
          # the "" we write must be a string literal. And they aren't
          # concatenated until 2 steps later, so we are safe.
          #     - Nicholas Clark
          print("#if 0\n  \"Skipped embedded POD.\"\n#endif\n");
          printf("#line %d \"%s\"\n", $. + 1, escape_file_for_line_directive($self->{filepathname}))
            if $self->{WantLineNumbers};
          next FIRSTMODULE;
        }

      } while (readline($self->{FH}));
      # At this point $. is at end of file so die won't state the start
      # of the problem, and as we haven't yet read any lines &death won't
      # show the correct line in the message either.
      die ("Error: Unterminated pod in $self->{filename}, line $podstartline\n")
        unless $self->{lastline};
    }
    last if ($self->{Package}, $self->{Prefix}) =
      /^MODULE\s*=\s*[\w:]+(?:\s+PACKAGE\s*=\s*([\w:]+))?(?:\s+PREFIX\s*=\s*(\S+))?\s*$/;

    print $_;
  }
  unless (defined $_) {
    warn "Didn't find a 'MODULE ... PACKAGE ... PREFIX' line\n";
    exit 0; # Not a fatal error for the caller process
  }

  print 'ExtUtils::ParseXS::CountLines'->end_marker, "\n" if $self->{WantLineNumbers};

  standard_XS_defs();

  print 'ExtUtils::ParseXS::CountLines'->end_marker, "\n" if $self->{WantLineNumbers};

  $self->{lastline}    = $_;
  $self->{lastline_no} = $.;

  my $BootCode_ref = [];
  my $XSS_work_idx = 0;
  my $cpp_next_tmp = 'XSubPPtmpAAAA';
 PARAGRAPH:
  while ($self->fetch_para()) {
    my $outlist_ref  = [];
    # Print initial preprocessor statements and blank lines
    while (@{ $self->{line} } && $self->{line}->[0] !~ /^[^\#]/) {
      my $ln = shift(@{ $self->{line} });
      print $ln, "\n";
      next unless $ln =~ /^\#\s*((if)(?:n?def)?|elsif|else|endif)\b/;
      my $statement = $+;
      ( $self, $XSS_work_idx, $BootCode_ref ) =
        analyze_preprocessor_statements(
          $self, $statement, $XSS_work_idx, $BootCode_ref
        );
    }

    next PARAGRAPH unless @{ $self->{line} };

    if ($XSS_work_idx && !$self->{XSStack}->[$XSS_work_idx]{varname}) {
      # We are inside an #if, but have not yet #defined its xsubpp variable.
      print "#define $cpp_next_tmp 1\n\n";
      push(@{ $self->{InitFileCode} }, "#if $cpp_next_tmp\n");
      push(@{ $BootCode_ref },     "#if $cpp_next_tmp");
      $self->{XSStack}->[$XSS_work_idx]{varname} = $cpp_next_tmp++;
    }

    $self->death(
      "Code is not inside a function"
        ." (maybe last function was ended by a blank line "
        ." followed by a statement on column one?)")
      if $self->{line}->[0] =~ /^\s/;

    # initialize info arrays
    foreach my $member (qw(args_match var_types defaults arg_list
                           argtype_seen in_out lengthof))
    {
      $self->{$member} = {};
    }
    $self->{proto_arg} = [];
    $self->{processing_arg_with_types} = 0; # bool
    $self->{proto_in_this_xsub}        = 0; # counter & bool
    $self->{scope_in_this_xsub}        = 0; # counter & bool
    $self->{interface}                 = 0; # bool
    $self->{interface_macro}           = 'XSINTERFACE_FUNC';
    $self->{interface_macro_set}       = 'XSINTERFACE_FUNC_SET';
    $self->{ProtoThisXSUB}             = $self->{WantPrototypes}; # states 0 (none), 1 (yes), 2 (empty prototype)
    $self->{ScopeThisXSUB}             = 0; # bool
    $self->{OverloadsThisXSUB}         = {}; # overloaded operators (as hash keys, to de-dup)

    my $xsreturn = 0;

    $_ = shift(@{ $self->{line} });
    while (my $kwd = $self->check_keyword("REQUIRE|PROTOTYPES|EXPORT_XSUB_SYMBOLS|FALLBACK|VERSIONCHECK|INCLUDE(?:_COMMAND)?|SCOPE")) {
      my $method = $kwd . "_handler";
      $self->$method($_);
      next PARAGRAPH unless @{ $self->{line} };
      $_ = shift(@{ $self->{line} });
    }

    if ($self->check_keyword("BOOT")) {
      check_conditional_preprocessor_statements($self);
      push (@{ $BootCode_ref }, "#line $self->{line_no}->[@{ $self->{line_no} } - @{ $self->{line} }] \""
                                . escape_file_for_line_directive($self->{filepathname}) . "\"")
        if $self->{WantLineNumbers} && $self->{line}->[0] !~ /^\s*#\s*line\b/;
      push (@{ $BootCode_ref }, @{ $self->{line} }, "");
      next PARAGRAPH;
    }

    # extract return type, function name and arguments
    ($self->{ret_type}) = ExtUtils::Typemaps::tidy_type($_);
    my $RETVAL_no_return = 1 if $self->{ret_type} =~ s/^NO_OUTPUT\s+//;

    # Allow one-line ANSI-like declaration
    unshift @{ $self->{line} }, $2
      if $self->{argtypes}
        and $self->{ret_type} =~ s/^(.*?\w.*?)\s*\b(\w+\s*\(.*)/$1/s;

    # a function definition needs at least 2 lines
    $self->blurt("Error: Function definition too short '$self->{ret_type}'"), next PARAGRAPH
      unless @{ $self->{line} };

    my $externC = 1 if $self->{ret_type} =~ s/^extern "C"\s+//;
    my $static  = 1 if $self->{ret_type} =~ s/^static\s+//;

    my $func_header = shift(@{ $self->{line} });
    $self->blurt("Error: Cannot parse function definition from '$func_header'"), next PARAGRAPH
      unless $func_header =~ /^(?:([\w:]*)::)?(\w+)\s*\(\s*(.*?)\s*\)\s*(const)?\s*(;\s*)?$/s;

    my ($class, $orig_args);
    ($class, $self->{func_name}, $orig_args) =  ($1, $2, $3);
    $class = "$4 $class" if $4;
    ($self->{pname} = $self->{func_name}) =~ s/^($self->{Prefix})?/$self->{Packprefix}/;
    my $clean_func_name;
    ($clean_func_name = $self->{func_name}) =~ s/^$self->{Prefix}//;
    $self->{Full_func_name} = "$self->{Packid}_$clean_func_name";
    if ($Is_VMS) {
      $self->{Full_func_name} = $SymSet->addsym( $self->{Full_func_name} );
    }

    # Check for duplicate function definition
    for my $tmp (@{ $self->{XSStack} }) {
      next unless defined $tmp->{functions}{ $self->{Full_func_name} };
      Warn( $self, "Warning: duplicate function definition '$clean_func_name' detected");
      last;
    }
    $self->{XSStack}->[$XSS_work_idx]{functions}{ $self->{Full_func_name} }++;
    delete $self->{XsubAliases};
    delete $self->{XsubAliasValues};
    %{ $self->{Interfaces} }      = ();
    @{ $self->{Attributes} }      = ();
    $self->{DoSetMagic} = 1;

    $orig_args =~ s/\\\s*/ /g;    # process line continuations
    my @args;

    my (@fake_INPUT_pre);    # For length(s) generated variables
    my (@fake_INPUT);
    my $only_C_inlist_ref = {};        # Not in the signature of Perl function
    if ($self->{argtypes} and $orig_args =~ /\S/) {
      my $args = "$orig_args ,";
      use re 'eval';
      if ($args =~ /^( (??{ $C_arg }) , )* $ /x) {
        @args = ($args =~ /\G ( (??{ $C_arg }) ) , /xg);
        no re 'eval';
        for ( @args ) {
          s/^\s+//;
          s/\s+$//;
          my ($arg, $default) = ($_ =~ m/ ( [^=]* ) ( (?: = .* )? ) /x);
          my ($pre, $len_name) = ($arg =~ /(.*?) \s*
                             \b ( \w+ | length\( \s*\w+\s* \) )
                             \s* $ /x);
          next unless defined($pre) && length($pre);
          my $out_type = '';
          my $inout_var;
          if ($self->{inout} and s/^(IN|IN_OUTLIST|OUTLIST|OUT|IN_OUT)\b\s*//) {
            my $type = $1;
            $out_type = $type if $type ne 'IN';
            $arg =~ s/^(IN|IN_OUTLIST|OUTLIST|OUT|IN_OUT)\b\s*//;
            $pre =~ s/^(IN|IN_OUTLIST|OUTLIST|OUT|IN_OUT)\b\s*//;
          }
          my $islength;
          if ($len_name =~ /^length\( \s* (\w+) \s* \)\z/x) {
            $len_name = "XSauto_length_of_$1";
            $islength = 1;
            die "Default value on length() argument: '$_'"
              if length $default;
          }
          if (length $pre or $islength) { # Has a type
            if ($islength) {
              push @fake_INPUT_pre, $arg;
            }
            else {
              push @fake_INPUT, $arg;
            }
            # warn "pushing '$arg'\n";
            $self->{argtype_seen}->{$len_name}++;
            $_ = "$len_name$default"; # Assigns to @args
          }
          $only_C_inlist_ref->{$_} = 1 if $out_type eq "OUTLIST" or $islength;
          push @{ $outlist_ref }, $len_name if $out_type =~ /OUTLIST$/;
          $self->{in_out}->{$len_name} = $out_type if $out_type;
        }
      }
      else {
        no re 'eval';
        @args = split(/\s*,\s*/, $orig_args);
        Warn( $self, "Warning: cannot parse argument list '$orig_args', fallback to split");
      }
    }
    else {
      @args = split(/\s*,\s*/, $orig_args);
      for (@args) {
        if ($self->{inout} and s/^(IN|IN_OUTLIST|OUTLIST|IN_OUT|OUT)\b\s*//) {
          my $out_type = $1;
          next if $out_type eq 'IN';
          $only_C_inlist_ref->{$_} = 1 if $out_type eq "OUTLIST";
          if ($out_type =~ /OUTLIST$/) {
              push @{ $outlist_ref }, undef;
          }
          $self->{in_out}->{$_} = $out_type;
        }
      }
    }
    if (defined($class)) {
      my $arg0 = ((defined($static) or $self->{func_name} eq 'new')
          ? "CLASS" : "THIS");
      unshift(@args, $arg0);
    }
    my $extra_args = 0;
    my @args_num = ();
    my $num_args = 0;
    my $report_args = '';
    my $ellipsis;
    foreach my $i (0 .. $#args) {
      if ($args[$i] =~ s/\.\.\.//) {
        $ellipsis = 1;
        if ($args[$i] eq '' && $i == $#args) {
          $report_args .= ", ...";
          pop(@args);
          last;
        }
      }
      if ($only_C_inlist_ref->{$args[$i]}) {
        push @args_num, undef;
      }
      else {
        push @args_num, ++$num_args;
          $report_args .= ", $args[$i]";
      }
      if ($args[$i] =~ /^([^=]*[^\s=])\s*=\s*(.*)/s) {
        $extra_args++;
        $args[$i] = $1;
        $self->{defaults}->{$args[$i]} = $2;
        $self->{defaults}->{$args[$i]} =~ s/"/\\"/g;
      }
      $self->{proto_arg}->[$i+1] = '$' unless $only_C_inlist_ref->{$args[$i]};
    }
    my $min_args = $num_args - $extra_args;
    $report_args =~ s/"/\\"/g;
    $report_args =~ s/^,\s+//;
    $self->{func_args} = assign_func_args($self, \@args, $class);
    @{ $self->{args_match} }{@args} = @args_num;

    my $PPCODE = grep(/^\s*PPCODE\s*:/, @{ $self->{line} });
    my $CODE = grep(/^\s*CODE\s*:/, @{ $self->{line} });
    # Detect CODE: blocks which use ST(n)= or XST_m*(n,v)
    # to set explicit return values.
    my $EXPLICIT_RETURN = ($CODE &&
            ("@{ $self->{line} }" =~ /(\bST\s*\([^;]*=) | (\bXST_m\w+\s*\()/x ));

    $self->{ALIAS}  = grep(/^\s*ALIAS\s*:/,  @{ $self->{line} });

    my $INTERFACE  = grep(/^\s*INTERFACE\s*:/,  @{ $self->{line} });

    $xsreturn = 1 if $EXPLICIT_RETURN;

    $externC = $externC ? qq[extern "C"] : "";

    # print function header
    print Q(<<"EOF");
#$externC
#XS_EUPXS(XS_$self->{Full_func_name}); /* prototype to pass -Wmissing-prototypes */
#XS_EUPXS(XS_$self->{Full_func_name})
#[[
#    dVAR; dXSARGS;
EOF
    print Q(<<"EOF") if $self->{ALIAS};
#    dXSI32;
EOF
    print Q(<<"EOF") if $INTERFACE;
#    dXSFUNCTION($self->{ret_type});
EOF

    $self->{cond} = set_cond($ellipsis, $min_args, $num_args);

    print Q(<<"EOF") if $self->{except};
#    char errbuf[1024];
#    *errbuf = '\\0';
EOF

    if($self->{cond}) {
      print Q(<<"EOF");
#    if ($self->{cond})
#       croak_xs_usage(cv,  "$report_args");
EOF
    }
    else {
    # cv and items likely to be unused
    print Q(<<"EOF");
#    PERL_UNUSED_VAR(cv); /* -W */
#    PERL_UNUSED_VAR(items); /* -W */
EOF
    }

    #gcc -Wall: if an xsub has PPCODE is used
    #it is possible none of ST, XSRETURN or XSprePUSH macros are used
    #hence 'ax' (setup by dXSARGS) is unused
    #XXX: could breakup the dXSARGS; into dSP;dMARK;dITEMS
    #but such a move could break third-party extensions
    print Q(<<"EOF") if $PPCODE;
#    PERL_UNUSED_VAR(ax); /* -Wall */
EOF

    print Q(<<"EOF") if $PPCODE;
#    SP -= items;
EOF

    # Now do a block of some sort.

    $self->{condnum} = 0;
    $self->{cond} = '';            # last CASE: conditional
    push(@{ $self->{line} }, "$END:");
    push(@{ $self->{line_no} }, $self->{line_no}->[-1]);
    $_ = '';
    check_conditional_preprocessor_statements();
    while (@{ $self->{line} }) {

      $self->CASE_handler($_) if $self->check_keyword("CASE");
      print Q(<<"EOF");
#   $self->{except} [[
EOF

      # do initialization of input variables
      $self->{thisdone} = 0;
      $self->{retvaldone} = 0;
      $self->{deferred} = "";
      %{ $self->{arg_list} } = ();
      $self->{gotRETVAL} = 0;
      $self->INPUT_handler($_);
      $self->process_keyword("INPUT|PREINIT|INTERFACE_MACRO|C_ARGS|ALIAS|ATTRS|PROTOTYPE|SCOPE|OVERLOAD");

      print Q(<<"EOF") if $self->{ScopeThisXSUB};
#   ENTER;
#   [[
EOF

      if (!$self->{thisdone} && defined($class)) {
        if (defined($static) or $self->{func_name} eq 'new') {
          print "\tchar *";
          $self->{var_types}->{"CLASS"} = "char *";
          $self->generate_init( {
            type          => "char *",
            num           => 1,
            var           => "CLASS",
            printed_name  => undef,
          } );
        }
        else {
          print "\t" . map_type($self, "$class *");
          $self->{var_types}->{"THIS"} = "$class *";
          $self->generate_init( {
            type          => "$class *",
            num           => 1,
            var           => "THIS",
            printed_name  => undef,
          } );
        }
      }

      # These are set if OUTPUT is found and/or CODE using RETVAL
      $self->{have_OUTPUT} = $self->{have_CODE_with_RETVAL} = 0;

      my ($wantRETVAL);
      # do code
      if (/^\s*NOT_IMPLEMENTED_YET/) {
        print "\n\tPerl_croak(aTHX_ \"$self->{pname}: not implemented yet\");\n";
        $_ = '';
      }
      else {
        if ($self->{ret_type} ne "void") {
          print "\t" . map_type($self, $self->{ret_type}, 'RETVAL') . ";\n"
            if !$self->{retvaldone};
          $self->{args_match}->{"RETVAL"} = 0;
          $self->{var_types}->{"RETVAL"} = $self->{ret_type};
          my $outputmap = $self->{typemap}->get_outputmap( ctype => $self->{ret_type} );
          print "\tdXSTARG;\n"
            if $self->{optimize} and $outputmap and $outputmap->targetable;
        }

        if (@fake_INPUT or @fake_INPUT_pre) {
          unshift @{ $self->{line} }, @fake_INPUT_pre, @fake_INPUT, $_;
          $_ = "";
          $self->{processing_arg_with_types} = 1;
          $self->INPUT_handler($_);
        }
        print $self->{deferred};

        $self->process_keyword("INIT|ALIAS|ATTRS|PROTOTYPE|INTERFACE_MACRO|INTERFACE|C_ARGS|OVERLOAD");

        if ($self->check_keyword("PPCODE")) {
          $self->print_section();
          $self->death("PPCODE must be last thing") if @{ $self->{line} };
          print "\tLEAVE;\n" if $self->{ScopeThisXSUB};
          print "\tPUTBACK;\n\treturn;\n";
        }
        elsif ($self->check_keyword("CODE")) {
          my $consumed_code = $self->print_section();
          if ($consumed_code =~ /\bRETVAL\b/) {
            $self->{have_CODE_with_RETVAL} = 1;
          }
        }
        elsif (defined($class) and $self->{func_name} eq "DESTROY") {
          print "\n\t";
          print "delete THIS;\n";
        }
        else {
          print "\n\t";
          if ($self->{ret_type} ne "void") {
            print "RETVAL = ";
            $wantRETVAL = 1;
          }
          if (defined($static)) {
            if ($self->{func_name} eq 'new') {
              $self->{func_name} = "$class";
            }
            else {
              print "${class}::";
            }
          }
          elsif (defined($class)) {
            if ($self->{func_name} eq 'new') {
              $self->{func_name} .= " $class";
            }
            else {
              print "THIS->";
            }
          }
          my $strip = $self->{strip_c_func_prefix};
          $self->{func_name} =~ s/^\Q$strip//
            if defined $strip;
          $self->{func_name} = 'XSFUNCTION' if $self->{interface};
          print "$self->{func_name}($self->{func_args});\n";
        }
      }

      # do output variables
      $self->{gotRETVAL} = 0;        # 1 if RETVAL seen in OUTPUT section;
      undef $self->{RETVAL_code} ;    # code to set RETVAL (from OUTPUT section);
      # $wantRETVAL set if 'RETVAL =' autogenerated
      ($wantRETVAL, $self->{ret_type}) = (0, 'void') if $RETVAL_no_return;
      undef %{ $self->{outargs} };

      $self->process_keyword("POSTCALL|OUTPUT|ALIAS|ATTRS|PROTOTYPE|OVERLOAD");

      # A CODE section with RETVAL, but no OUTPUT? FAIL!
      if ($self->{have_CODE_with_RETVAL} and not $self->{have_OUTPUT} and $self->{ret_type} ne 'void') {
        $self->Warn("Warning: Found a 'CODE' section which seems to be using 'RETVAL' but no 'OUTPUT' section.");
      }

      $self->generate_output( {
        type        => $self->{var_types}->{$_},
        num         => $self->{args_match}->{$_},
        var         => $_,
        do_setmagic => $self->{DoSetMagic},
        do_push     => undef,
      } ) for grep $self->{in_out}->{$_} =~ /OUT$/, sort keys %{ $self->{in_out} };

      my $outlist_count = @{ $outlist_ref };
      if ($outlist_count) {
        my $ext = $outlist_count;
        ++$ext if $self->{gotRETVAL} || $wantRETVAL;
        print "\tXSprePUSH;";
        print "\tEXTEND(SP,$ext);\n";
      }
      # all OUTPUT done, so now push the return value on the stack
      if ($self->{gotRETVAL} && $self->{RETVAL_code}) {
        print "\t$self->{RETVAL_code}\n";
        print "\t++SP;\n" if $outlist_count;
      }
      elsif ($self->{gotRETVAL} || $wantRETVAL) {
        my $outputmap = $self->{typemap}->get_outputmap( ctype => $self->{ret_type} );
        my $trgt = $self->{optimize} && $outputmap && $outputmap->targetable;
        my $var = 'RETVAL';
        my $type = $self->{ret_type};

        if ($trgt) {
          my $what = $self->eval_output_typemap_code(
            qq("$trgt->{what}"),
            {var => $var, type => $self->{ret_type}}
          );
          if (not $trgt->{with_size} and $trgt->{type} eq 'p') { # sv_setpv
            # PUSHp corresponds to sv_setpvn.  Treat sv_setpv directly
              print "\tsv_setpv(TARG, $what);\n";
              print "\tXSprePUSH;\n" unless $outlist_count;
              print "\tPUSHTARG;\n";
          }
          else {
            my $tsize = $trgt->{what_size};
            $tsize = '' unless defined $tsize;
            $tsize = $self->eval_output_typemap_code(
              qq("$tsize"),
              {var => $var, type => $self->{ret_type}}
            );
            print "\tXSprePUSH;\n" unless $outlist_count;
            print "\tPUSH$trgt->{type}($what$tsize);\n";
          }
        }
        else {
          # RETVAL almost never needs SvSETMAGIC()
          $self->generate_output( {
            type        => $self->{ret_type},
            num         => 0,
            var         => 'RETVAL',
            do_setmagic => 0,
            do_push     => undef,
          } );
          print "\t++SP;\n" if $outlist_count;
        }
      }

      $xsreturn = 1 if $self->{ret_type} ne "void";
      my $num = $xsreturn;
      $xsreturn += $outlist_count;
      $self->generate_output( {
        type        => $self->{var_types}->{$_},
        num         => $num++,
        var         => $_,
        do_setmagic => 0,
        do_push     => 1,
      } ) for @{ $outlist_ref };

      # do cleanup
      $self->process_keyword("CLEANUP|ALIAS|ATTRS|PROTOTYPE|OVERLOAD");

      print Q(<<"EOF") if $self->{ScopeThisXSUB};
#   ]]
EOF
      print Q(<<"EOF") if $self->{ScopeThisXSUB} and not $PPCODE;
#   LEAVE;
EOF

      # print function trailer
      print Q(<<"EOF");
#    ]]
EOF
      print Q(<<"EOF") if $self->{except};
#    BEGHANDLERS
#    CATCHALL
#    sprintf(errbuf, "%s: %s\\tpropagated", Xname, Xreason);
#    ENDHANDLERS
EOF
      if ($self->check_keyword("CASE")) {
        $self->blurt("Error: No 'CASE:' at top of function")
          unless $self->{condnum};
        $_ = "CASE: $_";    # Restore CASE: label
        next;
      }
      last if $_ eq "$END:";
      $self->death(/^$BLOCK_regexp/o ? "Misplaced '$1:'" : "Junk at end of function ($_)");
    }

    print Q(<<"EOF") if $self->{except};
#    if (errbuf[0])
#    Perl_croak(aTHX_ errbuf);
EOF

    if ($xsreturn) {
      print Q(<<"EOF") unless $PPCODE;
#    XSRETURN($xsreturn);
EOF
    }
    else {
      print Q(<<"EOF") unless $PPCODE;
#    XSRETURN_EMPTY;
EOF
    }

    print Q(<<"EOF");
#]]
#
EOF

    $self->{proto} = "";
    unless($self->{ProtoThisXSUB}) {
      $self->{newXS} = "newXS_deffile";
      $self->{file} = "";
    }
    else {
    # Build the prototype string for the xsub
      $self->{newXS} = "newXSproto_portable";
      $self->{file} = ", file";

      if ($self->{ProtoThisXSUB} eq 2) {
        # User has specified empty prototype
      }
      elsif ($self->{ProtoThisXSUB} eq 1) {
        my $s = ';';
        if ($min_args < $num_args)  {
          $s = '';
          $self->{proto_arg}->[$min_args] .= ";";
        }
        push @{ $self->{proto_arg} }, "$s\@"
          if $ellipsis;

        $self->{proto} = join ("", grep defined, @{ $self->{proto_arg} } );
      }
      else {
        # User has specified a prototype
        $self->{proto} = $self->{ProtoThisXSUB};
      }
      $self->{proto} = qq{, "$self->{proto}"};
    }

    if ($self->{XsubAliases} and keys %{ $self->{XsubAliases} }) {
      $self->{XsubAliases}->{ $self->{pname} } = 0
        unless defined $self->{XsubAliases}->{ $self->{pname} };
      foreach my $xname (sort keys %{ $self->{XsubAliases} }) {
        my $value = $self->{XsubAliases}{$xname};
        push(@{ $self->{InitFileCode} }, Q(<<"EOF"));
#        cv = $self->{newXS}(\"$xname\", XS_$self->{Full_func_name}$self->{file}$self->{proto});
#        XSANY.any_i32 = $value;
EOF
      }
    }
    elsif (@{ $self->{Attributes} }) {
      push(@{ $self->{InitFileCode} }, Q(<<"EOF"));
#        cv = $self->{newXS}(\"$self->{pname}\", XS_$self->{Full_func_name}$self->{file}$self->{proto});
#        apply_attrs_string("$self->{Package}", cv, "@{ $self->{Attributes} }", 0);
EOF
    }
    elsif ($self->{interface}) {
      foreach my $yname (sort keys %{ $self->{Interfaces} }) {
        my $value = $self->{Interfaces}{$yname};
        $yname = "$self->{Package}\::$yname" unless $yname =~ /::/;
        push(@{ $self->{InitFileCode} }, Q(<<"EOF"));
#        cv = $self->{newXS}(\"$yname\", XS_$self->{Full_func_name}$self->{file}$self->{proto});
#        $self->{interface_macro_set}(cv,$value);
EOF
      }
    }
    elsif($self->{newXS} eq 'newXS_deffile'){ # work around P5NCI's empty newXS macro
      push(@{ $self->{InitFileCode} },
       "        $self->{newXS}(\"$self->{pname}\", XS_$self->{Full_func_name}$self->{file}$self->{proto});\n");
    }
    else {
      push(@{ $self->{InitFileCode} },
       "        (void)$self->{newXS}(\"$self->{pname}\", XS_$self->{Full_func_name}$self->{file}$self->{proto});\n");
    }

    for my $operator (keys %{ $self->{OverloadsThisXSUB} }) {
      $self->{Overloaded}->{$self->{Package}} = $self->{Packid};
      my $overload = "$self->{Package}\::($operator";
      push(@{ $self->{InitFileCode} },
        "        (void)$self->{newXS}(\"$overload\", XS_$self->{Full_func_name}$self->{file}$self->{proto});\n");
    }
  } # END 'PARAGRAPH' 'while' loop

  for my $package (keys %{ $self->{Overloaded} }) { # make them findable with fetchmethod
    my $packid = $self->{Overloaded}->{$package};
    print Q(<<"EOF");
#XS_EUPXS(XS_${packid}_nil); /* prototype to pass -Wmissing-prototypes */
#XS_EUPXS(XS_${packid}_nil)
#{
#   dXSARGS;
#   PERL_UNUSED_VAR(items);
#   XSRETURN_EMPTY;
#}
#
EOF
    unshift(@{ $self->{InitFileCode} }, Q(<<"MAKE_FETCHMETHOD_WORK"));
#   /* Making a sub named "${package}::()" allows the package */
#   /* to be findable via fetchmethod(), and causes */
#   /* overload::Overloaded("$package") to return true. */
#   (void)newXS_deffile("${package}::()", XS_${packid}_nil);
MAKE_FETCHMETHOD_WORK
  }

  # print initialization routine

  print Q(<<"EOF");
##ifdef __cplusplus
#extern "C"
##endif
EOF

  print Q(<<"EOF");
#XS_EXTERNAL(boot_$self->{Module_cname}); /* prototype to pass -Wmissing-prototypes */
#XS_EXTERNAL(boot_$self->{Module_cname})
#[[
##if PERL_VERSION_LE(5, 21, 5)
#    dVAR; dXSARGS;
##else
#    dVAR; ${\($self->{WantVersionChk} ?
     'dXSBOOTARGSXSAPIVERCHK;' : 'dXSBOOTARGSAPIVERCHK;')}
##endif
EOF

  #Under 5.8.x and lower, newXS is declared in proto.h as expecting a non-const
  #file name argument. If the wrong qualifier is used, it causes breakage with
  #C++ compilers and warnings with recent gcc.
  #-Wall: if there is no $self->{Full_func_name} there are no xsubs in this .xs
  #so 'file' is unused
  print Q(<<"EOF") if $self->{Full_func_name};
##if PERL_VERSION_LE(5, 8, 999) /* PERL_VERSION_LT is 5.33+ */
#    char* file = __FILE__;
##else
#    const char* file = __FILE__;
##endif
#
#    PERL_UNUSED_VAR(file);
EOF

  print Q("#\n");

  print Q(<<"EOF");
#    PERL_UNUSED_VAR(cv); /* -W */
#    PERL_UNUSED_VAR(items); /* -W */
EOF

  if( $self->{WantVersionChk}){
    print Q(<<"EOF") ;
##if PERL_VERSION_LE(5, 21, 5)
#    XS_VERSION_BOOTCHECK;
##  ifdef XS_APIVERSION_BOOTCHECK
#    XS_APIVERSION_BOOTCHECK;
##  endif
##endif

EOF
  } else {
    print Q(<<"EOF") ;
##if PERL_VERSION_LE(5, 21, 5) && defined(XS_APIVERSION_BOOTCHECK)
#  XS_APIVERSION_BOOTCHECK;
##endif

EOF
  }

  print Q(<<"EOF") if defined $self->{XsubAliases} or defined $self->{interfaces};
#    {
#        CV * cv;
#
EOF

  if (%{ $self->{Overloaded} }) {
    # once if any overloads
    print Q(<<"EOF");
#    /* register the overloading (type 'A') magic */
##if PERL_VERSION_LE(5, 8, 999) /* PERL_VERSION_LT is 5.33+ */
#    PL_amagic_generation++;
##endif
EOF
    for my $package (keys %{ $self->{Overloaded} }) {
      # once for each package with overloads
      my $fallback = $self->{Fallback}->{$package} || "&PL_sv_undef";
      print Q(<<"EOF");
#    /* The magic for overload gets a GV* via gv_fetchmeth as */
#    /* mentioned above, and looks in the SV* slot of it for */
#    /* the "fallback" status. */
#    sv_setsv(
#        get_sv( "${package}::()", TRUE ),
#        $fallback
#    );
EOF
    }
  }

  print @{ $self->{InitFileCode} };

  print Q(<<"EOF") if defined $self->{XsubAliases} or defined $self->{interfaces};
#    }
EOF

  if (@{ $BootCode_ref }) {
    print "\n    /* Initialisation Section */\n\n";
    @{ $self->{line} } = @{ $BootCode_ref };
    $self->print_section();
    print "\n    /* End of Initialisation Section */\n\n";
  }

  print Q(<<'EOF');
##if PERL_VERSION_LE(5, 21, 5)
##  if PERL_VERSION_GE(5, 9, 0)
#    if (PL_unitcheckav)
#        call_list(PL_scopestack_ix, PL_unitcheckav);
##  endif
#    XSRETURN_YES;
##else
#    Perl_xs_boot_epilog(aTHX_ ax);
##endif
#]]
#
EOF

  warn("Please specify prototyping behavior for $self->{filename} (see perlxs manual)\n")
    unless $self->{ProtoUsed};

  chdir($orig_cwd);
  select($orig_fh);
  untie *PSEUDO_STDOUT if tied *PSEUDO_STDOUT;
  close $self->{FH};

  return 1;
}

sub report_error_count {
  if (@_) {
    return $_[0]->{errors}||0;
  }
  else {
    return $Singleton->{errors}||0;
  }
}
*errors = \&report_error_count;

# Input:  ($self, $_, @{ $self->{line} }) == unparsed input.
# Output: ($_, @{ $self->{line} }) == (rest of line, following lines).
# Return: the matched keyword if found, otherwise 0
sub check_keyword {
  my $self = shift;
  $_ = shift(@{ $self->{line} }) while !/\S/ && @{ $self->{line} };
  s/^(\s*)($_[0])\s*:\s*(?:#.*)?/$1/s && $2;
}

sub print_section {
  my $self = shift;

  # the "do" is required for right semantics
  do { $_ = shift(@{ $self->{line} }) } while !/\S/ && @{ $self->{line} };

  my $consumed_code = '';

  print("#line ", $self->{line_no}->[@{ $self->{line_no} } - @{ $self->{line} } -1], " \"",
        escape_file_for_line_directive($self->{filepathname}), "\"\n")
    if $self->{WantLineNumbers} && !/^\s*#\s*line\b/ && !/^#if XSubPPtmp/;
  for (;  defined($_) && !/^$BLOCK_regexp/o;  $_ = shift(@{ $self->{line} })) {
    print "$_\n";
    $consumed_code .= "$_\n";
  }
  print 'ExtUtils::ParseXS::CountLines'->end_marker, "\n" if $self->{WantLineNumbers};

  return $consumed_code;
}

sub merge_section {
  my $self = shift;
  my $in = '';

  while (!/\S/ && @{ $self->{line} }) {
    $_ = shift(@{ $self->{line} });
  }

  for (;  defined($_) && !/^$BLOCK_regexp/o;  $_ = shift(@{ $self->{line} })) {
    $in .= "$_\n";
  }
  chomp $in;
  return $in;
}

sub process_keyword {
  my($self, $pattern) = @_;

  while (my $kwd = $self->check_keyword($pattern)) {
    my $method = $kwd . "_handler";
    $self->$method($_);
  }
}

sub CASE_handler {
  my $self = shift;
  $_ = shift;
  $self->blurt("Error: 'CASE:' after unconditional 'CASE:'")
    if $self->{condnum} && $self->{cond} eq '';
  $self->{cond} = $_;
  trim_whitespace($self->{cond});
  print "   ", ($self->{condnum}++ ? " else" : ""), ($self->{cond} ? " if ($self->{cond})\n" : "\n");
  $_ = '';
}

sub INPUT_handler {
  my $self = shift;
  $_ = shift;
  for (;  !/^$BLOCK_regexp/o;  $_ = shift(@{ $self->{line} })) {
    last if /^\s*NOT_IMPLEMENTED_YET/;
    next unless /\S/;        # skip blank lines

    trim_whitespace($_);
    my $ln = $_;

    # remove trailing semicolon if no initialisation
    s/\s*;$//g unless /[=;+].*\S/;

    # Process the length(foo) declarations
    if (s/^([^=]*)\blength\(\s*(\w+)\s*\)\s*$/$1 XSauto_length_of_$2=NO_INIT/x) {
      print "\tSTRLEN\tSTRLEN_length_of_$2;\n";
      $self->{lengthof}->{$2} = undef;
      $self->{deferred} .= "\n\tXSauto_length_of_$2 = STRLEN_length_of_$2;\n";
    }

    # check for optional initialisation code
    my $var_init = '';
    $var_init = $1 if s/\s*([=;+].*)$//s;
    $var_init =~ s/"/\\"/g;
    # *sigh* It's valid to supply explicit input typemaps in the argument list...
    my $is_overridden_typemap = $var_init =~ /ST\s*\(|\$arg\b/;

    s/\s+/ /g;
    my ($var_type, $var_addr, $var_name) = /^(.*?[^&\s])\s*(\&?)\s*\b(\w+)$/s
      or $self->blurt("Error: invalid argument declaration '$ln'"), next;

    # Check for duplicate definitions
    $self->blurt("Error: duplicate definition of argument '$var_name' ignored"), next
      if $self->{arg_list}->{$var_name}++
        or defined $self->{argtype_seen}->{$var_name} and not $self->{processing_arg_with_types};

    $self->{thisdone} |= $var_name eq "THIS";
    $self->{retvaldone} |= $var_name eq "RETVAL";
    $self->{var_types}->{$var_name} = $var_type;
    # XXXX This check is a safeguard against the unfinished conversion of
    # generate_init().  When generate_init() is fixed,
    # one can use 2-args map_type() unconditionally.
    my $printed_name;
    if ($var_type =~ / \( \s* \* \s* \) /x) {
      # Function pointers are not yet supported with output_init()!
      print "\t" . map_type($self, $var_type, $var_name);
      $printed_name = 1;
    }
    else {
      print "\t" . map_type($self, $var_type, undef);
      $printed_name = 0;
    }
    $self->{var_num} = $self->{args_match}->{$var_name};

    if ($self->{var_num}) {
      my $typemap = $self->{typemap}->get_typemap(ctype => $var_type);
      $self->report_typemap_failure($self->{typemap}, $var_type, "death")
        if not $typemap and not $is_overridden_typemap;
      $self->{proto_arg}->[$self->{var_num}] = ($typemap && $typemap->proto) || "\$";
    }
    $self->{func_args} =~ s/\b($var_name)\b/&$1/ if $var_addr;
    if ($var_init =~ /^[=;]\s*NO_INIT\s*;?\s*$/
      or $self->{in_out}->{$var_name} and $self->{in_out}->{$var_name} =~ /^OUT/
      and $var_init !~ /\S/) {
      if ($printed_name) {
        print ";\n";
      }
      else {
        print "\t$var_name;\n";
      }
    }
    elsif ($var_init =~ /\S/) {
      $self->output_init( {
        type          => $var_type,
        num           => $self->{var_num},
        var           => $var_name,
        init          => $var_init,
        printed_name  => $printed_name,
      } );
    }
    elsif ($self->{var_num}) {
      $self->generate_init( {
        type          => $var_type,
        num           => $self->{var_num},
        var           => $var_name,
        printed_name  => $printed_name,
      } );
    }
    else {
      print ";\n";
    }
  }
}

sub OUTPUT_handler {
  my $self = shift;
  $self->{have_OUTPUT} = 1;

  $_ = shift;
  for (;  !/^$BLOCK_regexp/o;  $_ = shift(@{ $self->{line} })) {
    next unless /\S/;
    if (/^\s*SETMAGIC\s*:\s*(ENABLE|DISABLE)\s*/) {
      $self->{DoSetMagic} = ($1 eq "ENABLE" ? 1 : 0);
      next;
    }
    my ($outarg, $outcode) = /^\s*(\S+)\s*(.*?)\s*$/s;
    $self->blurt("Error: duplicate OUTPUT argument '$outarg' ignored"), next
      if $self->{outargs}->{$outarg}++;
    if (!$self->{gotRETVAL} and $outarg eq 'RETVAL') {
      # deal with RETVAL last
      $self->{RETVAL_code} = $outcode;
      $self->{gotRETVAL} = 1;
      next;
    }
    $self->blurt("Error: OUTPUT $outarg not an argument"), next
      unless defined($self->{args_match}->{$outarg});
    $self->blurt("Error: No input definition for OUTPUT argument '$outarg' - ignored"), next
      unless defined $self->{var_types}->{$outarg};
    $self->{var_num} = $self->{args_match}->{$outarg};
    if ($outcode) {
      print "\t$outcode\n";
      print "\tSvSETMAGIC(ST(" , $self->{var_num} - 1 , "));\n" if $self->{DoSetMagic};
    }
    else {
      $self->generate_output( {
        type        => $self->{var_types}->{$outarg},
        num         => $self->{var_num},
        var         => $outarg,
        do_setmagic => $self->{DoSetMagic},
        do_push     => undef,
      } );
    }
    delete $self->{in_out}->{$outarg}     # No need to auto-OUTPUT
      if exists $self->{in_out}->{$outarg} and $self->{in_out}->{$outarg} =~ /OUT$/;
  }
}

sub C_ARGS_handler {
  my $self = shift;
  $_ = shift;
  my $in = $self->merge_section();

  trim_whitespace($in);
  $self->{func_args} = $in;
}

sub INTERFACE_MACRO_handler {
  my $self = shift;
  $_ = shift;
  my $in = $self->merge_section();

  trim_whitespace($in);
  if ($in =~ /\s/) {        # two
    ($self->{interface_macro}, $self->{interface_macro_set}) = split ' ', $in;
  }
  else {
    $self->{interface_macro} = $in;
    $self->{interface_macro_set} = 'UNKNOWN_CVT'; # catch later
  }
  $self->{interface} = 1;        # local
  $self->{interfaces} = 1;        # global
}

sub INTERFACE_handler {
  my $self = shift;
  $_ = shift;
  my $in = $self->merge_section();

  trim_whitespace($in);

  foreach (split /[\s,]+/, $in) {
    my $iface_name = $_;
    $iface_name =~ s/^$self->{Prefix}//;
    $self->{Interfaces}->{$iface_name} = $_;
  }
  print Q(<<"EOF");
#    XSFUNCTION = $self->{interface_macro}($self->{ret_type},cv,XSANY.any_dptr);
EOF
  $self->{interface} = 1;        # local
  $self->{interfaces} = 1;        # global
}

sub CLEANUP_handler {
  my $self = shift;
  $self->print_section();
}

sub PREINIT_handler {
  my $self = shift;
  $self->print_section();
}

sub POSTCALL_handler {
  my $self = shift;
  $self->print_section();
}

sub INIT_handler {
  my $self = shift;
  $self->print_section();
}

sub get_aliases {
  my $self = shift;
  my ($line) = @_;
  my ($orig) = $line;

  # Parse alias definitions
  # format is
  #    alias = value alias = value ...

  while ($line =~ s/^\s*([\w:]+)\s*=\s*(\w+)\s*//) {
    my ($alias, $value) = ($1, $2);
    my $orig_alias = $alias;

    # check for optional package definition in the alias
    $alias = $self->{Packprefix} . $alias if $alias !~ /::/;

    # check for duplicate alias name & duplicate value
    Warn( $self, "Warning: Ignoring duplicate alias '$orig_alias'")
      if defined $self->{XsubAliases}->{$alias};

    Warn( $self, "Warning: Aliases '$orig_alias' and '$self->{XsubAliasValues}->{$value}' have identical values")
      if $self->{XsubAliasValues}->{$value};

    $self->{XsubAliases}->{$alias} = $value;
    $self->{XsubAliasValues}->{$value} = $orig_alias;
  }

  blurt( $self, "Error: Cannot parse ALIAS definitions from '$orig'")
    if $line;
}

sub ATTRS_handler {
  my $self = shift;
  $_ = shift;

  for (;  !/^$BLOCK_regexp/o;  $_ = shift(@{ $self->{line} })) {
    next unless /\S/;
    trim_whitespace($_);
    push @{ $self->{Attributes} }, $_;
  }
}

sub ALIAS_handler {
  my $self = shift;
  $_ = shift;

  for (;  !/^$BLOCK_regexp/o;  $_ = shift(@{ $self->{line} })) {
    next unless /\S/;
    trim_whitespace($_);
    $self->get_aliases($_) if $_;
  }
}

sub OVERLOAD_handler {
  my $self = shift;
  $_ = shift;

  for (;  !/^$BLOCK_regexp/o;  $_ = shift(@{ $self->{line} })) {
    next unless /\S/;
    trim_whitespace($_);
    while ( s/^\s*([\w:"\\)\+\-\*\/\%\<\>\.\&\|\^\!\~\{\}\=]+)\s*//) {
      $self->{OverloadsThisXSUB}->{$1} = 1;
    }
  }
}

sub FALLBACK_handler {
  my ($self, $setting) = @_;

  # the rest of the current line should contain either TRUE,
  # FALSE or UNDEF

  trim_whitespace($setting);
  $setting = uc($setting);

  my %map = (
    TRUE => "&PL_sv_yes", 1 => "&PL_sv_yes",
    FALSE => "&PL_sv_no", 0 => "&PL_sv_no",
    UNDEF => "&PL_sv_undef",
  );

  # check for valid FALLBACK value
  $self->death("Error: FALLBACK: TRUE/FALSE/UNDEF") unless exists $map{$setting};

  $self->{Fallback}->{$self->{Package}} = $map{$setting};
}


sub REQUIRE_handler {
  # the rest of the current line should contain a version number
  my ($self, $ver) = @_;

  trim_whitespace($ver);

  $self->death("Error: REQUIRE expects a version number")
    unless $ver;

  # check that the version number is of the form n.n
  $self->death("Error: REQUIRE: expected a number, got '$ver'")
    unless $ver =~ /^\d+(\.\d*)?/;

  $self->death("Error: xsubpp $ver (or better) required--this is only $VERSION.")
    unless $VERSION >= $ver;
}

sub VERSIONCHECK_handler {
  # the rest of the current line should contain either ENABLE or
  # DISABLE
  my ($self, $setting) = @_;

  trim_whitespace($setting);

  # check for ENABLE/DISABLE
  $self->death("Error: VERSIONCHECK: ENABLE/DISABLE")
    unless $setting =~ /^(ENABLE|DISABLE)/i;

  $self->{WantVersionChk} = 1 if $1 eq 'ENABLE';
  $self->{WantVersionChk} = 0 if $1 eq 'DISABLE';

}

sub PROTOTYPE_handler {
  my $self = shift;
  $_ = shift;

  my $specified;

  $self->death("Error: Only 1 PROTOTYPE definition allowed per xsub")
    if $self->{proto_in_this_xsub}++;

  for (;  !/^$BLOCK_regexp/o;  $_ = shift(@{ $self->{line} })) {
    next unless /\S/;
    $specified = 1;
    trim_whitespace($_);
    if ($_ eq 'DISABLE') {
      $self->{ProtoThisXSUB} = 0;
    }
    elsif ($_ eq 'ENABLE') {
      $self->{ProtoThisXSUB} = 1;
    }
    else {
      # remove any whitespace
      s/\s+//g;
      $self->death("Error: Invalid prototype '$_'")
        unless valid_proto_string($_);
      $self->{ProtoThisXSUB} = C_string($_);
    }
  }

  # If no prototype specified, then assume empty prototype ""
  $self->{ProtoThisXSUB} = 2 unless $specified;

  $self->{ProtoUsed} = 1;
}

sub SCOPE_handler {
  # Rest of line should be either ENABLE or DISABLE
  my ($self, $setting) = @_;

  $self->death("Error: Only 1 SCOPE declaration allowed per xsub")
    if $self->{scope_in_this_xsub}++;

  trim_whitespace($setting);
  $self->death("Error: SCOPE: ENABLE/DISABLE")
      unless $setting =~ /^(ENABLE|DISABLE)\b/i;
  $self->{ScopeThisXSUB} = ( uc($1) eq 'ENABLE' );
}

sub PROTOTYPES_handler {
  # the rest of the current line should contain either ENABLE or
  # DISABLE
  my ($self, $setting) = @_;

  trim_whitespace($setting);

  # check for ENABLE/DISABLE
  $self->death("Error: PROTOTYPES: ENABLE/DISABLE")
    unless $setting =~ /^(ENABLE|DISABLE)/i;

  $self->{WantPrototypes} = 1 if $1 eq 'ENABLE';
  $self->{WantPrototypes} = 0 if $1 eq 'DISABLE';
  $self->{ProtoUsed} = 1;
}

sub EXPORT_XSUB_SYMBOLS_handler {
  # the rest of the current line should contain either ENABLE or
  # DISABLE
  my ($self, $setting) = @_;

  trim_whitespace($setting);

  # check for ENABLE/DISABLE
  $self->death("Error: EXPORT_XSUB_SYMBOLS: ENABLE/DISABLE")
    unless $setting =~ /^(ENABLE|DISABLE)/i;

  my $xs_impl = $1 eq 'ENABLE' ? 'XS_EXTERNAL' : 'XS_INTERNAL';

  print Q(<<"EOF");
##undef XS_EUPXS
##if defined(PERL_EUPXS_ALWAYS_EXPORT)
##  define XS_EUPXS(name) XS_EXTERNAL(name)
##elif defined(PERL_EUPXS_NEVER_EXPORT)
##  define XS_EUPXS(name) XS_INTERNAL(name)
##else
##  define XS_EUPXS(name) $xs_impl(name)
##endif
EOF
}


sub PushXSStack {
  my $self = shift;
  my %args = @_;
  # Save the current file context.
  push(@{ $self->{XSStack} }, {
          type            => 'file',
          LastLine        => $self->{lastline},
          LastLineNo      => $self->{lastline_no},
          Line            => $self->{line},
          LineNo          => $self->{line_no},
          Filename        => $self->{filename},
          Filepathname    => $self->{filepathname},
          Handle          => $self->{FH},
          IsPipe          => scalar($self->{filename} =~ /\|\s*$/),
          %args,
         });

}

sub INCLUDE_handler {
  my $self = shift;
  $_ = shift;
  # the rest of the current line should contain a valid filename

  trim_whitespace($_);

  $self->death("INCLUDE: filename missing")
    unless $_;

  $self->death("INCLUDE: output pipe is illegal")
    if /^\s*\|/;

  # simple minded recursion detector
  $self->death("INCLUDE loop detected")
    if $self->{IncludedFiles}->{$_};

  ++$self->{IncludedFiles}->{$_} unless /\|\s*$/;

  if (/\|\s*$/ && /^\s*perl\s/) {
    Warn( $self, "The INCLUDE directive with a command is discouraged." .
          " Use INCLUDE_COMMAND instead! In particular using 'perl'" .
          " in an 'INCLUDE: ... |' directive is not guaranteed to pick" .
          " up the correct perl. The INCLUDE_COMMAND directive allows" .
          " the use of \$^X as the currently running perl, see" .
          " 'perldoc perlxs' for details.");
  }

  $self->PushXSStack();

  $self->{FH} = Symbol::gensym();

  # open the new file
  open($self->{FH}, $_) or $self->death("Cannot open '$_': $!");

  print Q(<<"EOF");
#
#/* INCLUDE:  Including '$_' from '$self->{filename}' */
#
EOF

  $self->{filename} = $_;
  $self->{filepathname} = ( $^O =~ /^mswin/i )
                          ? qq($self->{dir}/$self->{filename}) # See CPAN RT #61908: gcc doesn't like backslashes on win32?
                          : File::Spec->catfile($self->{dir}, $self->{filename});

  # Prime the pump by reading the first
  # non-blank line

  # skip leading blank lines
  while (readline($self->{FH})) {
    last unless /^\s*$/;
  }

  $self->{lastline} = $_;
  $self->{lastline_no} = $.;
}

sub QuoteArgs {
  my $cmd = shift;
  my @args = split /\s+/, $cmd;
  $cmd = shift @args;
  for (@args) {
    $_ = q(").$_.q(") if !/^\"/ && length($_) > 0;
  }
  return join (' ', ($cmd, @args));
}

# code copied from CPAN::HandleConfig::safe_quote
#  - that has doc saying leave if start/finish with same quote, but no code
# given text, will conditionally quote it to protect from shell
{
  my ($quote, $use_quote) = $^O eq 'MSWin32'
      ? (q{"}, q{"})
      : (q{"'}, q{'});
  sub _safe_quote {
      my ($self, $command) = @_;
      # Set up quote/default quote
      if (defined($command)
          and $command =~ /\s/
          and $command !~ /[$quote]/) {
          return qq{$use_quote$command$use_quote}
      }
      return $command;
  }
}

sub INCLUDE_COMMAND_handler {
  my $self = shift;
  $_ = shift;
  # the rest of the current line should contain a valid command

  trim_whitespace($_);

  $_ = QuoteArgs($_) if $^O eq 'VMS';

  $self->death("INCLUDE_COMMAND: command missing")
    unless $_;

  $self->death("INCLUDE_COMMAND: pipes are illegal")
    if /^\s*\|/ or /\|\s*$/;

  $self->PushXSStack( IsPipe => 1 );

  $self->{FH} = Symbol::gensym();

  # If $^X is used in INCLUDE_COMMAND, we know it's supposed to be
  # the same perl interpreter as we're currently running
  my $X = $self->_safe_quote($^X); # quotes if has spaces
  s/^\s*\$\^X/$X/;

  # open the new file
  open ($self->{FH}, "-|", $_)
    or $self->death( $self, "Cannot run command '$_' to include its output: $!");

  print Q(<<"EOF");
#
#/* INCLUDE_COMMAND:  Including output of '$_' from '$self->{filename}' */
#
EOF

  $self->{filename} = $_;
  $self->{filepathname} = $self->{filename};
  #$self->{filepathname} =~ s/\"/\\"/g; # Fails? See CPAN RT #53938: MinGW Broken after 2.21
  $self->{filepathname} =~ s/\\/\\\\/g; # Works according to reporter of #53938

  # Prime the pump by reading the first
  # non-blank line

  # skip leading blank lines
  while (readline($self->{FH})) {
    last unless /^\s*$/;
  }

  $self->{lastline} = $_;
  $self->{lastline_no} = $.;
}

sub PopFile {
  my $self = shift;

  return 0 unless $self->{XSStack}->[-1]{type} eq 'file';

  my $data     = pop @{ $self->{XSStack} };
  my $ThisFile = $self->{filename};
  my $isPipe   = $data->{IsPipe};

  --$self->{IncludedFiles}->{$self->{filename}}
    unless $isPipe;

  close $self->{FH};

  $self->{FH}         = $data->{Handle};
  # $filename is the leafname, which for some reason is used for diagnostic
  # messages, whereas $filepathname is the full pathname, and is used for
  # #line directives.
  $self->{filename}   = $data->{Filename};
  $self->{filepathname} = $data->{Filepathname};
  $self->{lastline}   = $data->{LastLine};
  $self->{lastline_no} = $data->{LastLineNo};
  @{ $self->{line} }       = @{ $data->{Line} };
  @{ $self->{line_no} }    = @{ $data->{LineNo} };

  if ($isPipe and $? ) {
    --$self->{lastline_no};
    print STDERR "Error reading from pipe '$ThisFile': $! in $self->{filename}, line $self->{lastline_no}\n" ;
    exit 1;
  }

  print Q(<<"EOF");
#
#/* INCLUDE: Returning to '$self->{filename}' from '$ThisFile' */
#
EOF

  return 1;
}

sub Q {
  my($text) = @_;
  $text =~ s/^#//gm;
  $text =~ s/\[\[/{/g;
  $text =~ s/\]\]/}/g;
  $text;
}

# Process "MODULE = Foo ..." lines and update global state accordingly
sub _process_module_xs_line {
  my ($self, $module, $pkg, $prefix) = @_;

  ($self->{Module_cname} = $module) =~ s/\W/_/g;

  $self->{Package} = defined($pkg) ? $pkg : '';
  $self->{Prefix}  = quotemeta( defined($prefix) ? $prefix : '' );

  ($self->{Packid} = $self->{Package}) =~ tr/:/_/;

  $self->{Packprefix} = $self->{Package};
  $self->{Packprefix} .= "::" if $self->{Packprefix} ne "";

  $self->{lastline} = "";
}

# Skip any embedded POD sections
sub _maybe_skip_pod {
  my ($self) = @_;

  while ($self->{lastline} =~ /^=/) {
    while ($self->{lastline} = readline($self->{FH})) {
      last if ($self->{lastline} =~ /^=cut\s*$/);
    }
    $self->death("Error: Unterminated pod") unless defined $self->{lastline};
    $self->{lastline} = readline($self->{FH});
    chomp $self->{lastline};
    $self->{lastline} =~ s/^\s+$//;
  }
}

# This chunk of code strips out (and parses) embedded TYPEMAP blocks
# which support a HEREdoc-alike block syntax.
sub _maybe_parse_typemap_block {
  my ($self) = @_;

  # This is special cased from the usual paragraph-handler logic
  # due to the HEREdoc-ish syntax.
  if ($self->{lastline} =~ /^TYPEMAP\s*:\s*<<\s*(?:(["'])(.+?)\1|([^\s'"]+?))\s*;?\s*$/)
  {
    my $end_marker = quotemeta(defined($1) ? $2 : $3);

    # Scan until we find $end_marker alone on a line.
    my @tmaplines;
    while (1) {
      $self->{lastline} = readline($self->{FH});
      $self->death("Error: Unterminated TYPEMAP section") if not defined $self->{lastline};
      last if $self->{lastline} =~ /^$end_marker\s*$/;
      push @tmaplines, $self->{lastline};
    }

    my $tmap = ExtUtils::Typemaps->new(
      string        => join("", @tmaplines),
      lineno_offset => 1 + ($self->current_line_number() || 0),
      fake_filename => $self->{filename},
    );
    $self->{typemap}->merge(typemap => $tmap, replace => 1);

    $self->{lastline} = "";
  }
}

# Read next xsub into @{ $self->{line} } from ($lastline, readline($self->{FH})).
sub fetch_para {
  my $self = shift;

  # parse paragraph
  $self->death("Error: Unterminated '#if/#ifdef/#ifndef'")
    if !defined $self->{lastline} && $self->{XSStack}->[-1]{type} eq 'if';
  @{ $self->{line} } = ();
  @{ $self->{line_no} } = ();
  return $self->PopFile() if not defined $self->{lastline}; # EOF

  if ($self->{lastline} =~
      /^MODULE\s*=\s*([\w:]+)(?:\s+PACKAGE\s*=\s*([\w:]+))?(?:\s+PREFIX\s*=\s*(\S+))?\s*$/)
  {
    $self->_process_module_xs_line($1, $2, $3);
  }

  for (;;) {
    $self->_maybe_skip_pod;

    $self->_maybe_parse_typemap_block;

    if ($self->{lastline} !~ /^\s*#/ # not a CPP directive
        # CPP directives:
        #    ANSI:    if ifdef ifndef elif else endif define undef
        #        line error pragma
        #    gcc:    warning include_next
        #   obj-c:    import
        #   others:    ident (gcc notes that some cpps have this one)
        || $self->{lastline} =~ /^\#[ \t]*
                                  (?:
                                        (?:if|ifn?def|elif|else|endif|
                                           define|undef|pragma|error|
                                           warning|line\s+\d+|ident)
                                        \b
                                      | (?:include(?:_next)?|import)
                                        \s* ["<] .* [>"]
                                 )
                                /x
    )
    {
      last if $self->{lastline} =~ /^\S/ && @{ $self->{line} } && $self->{line}->[-1] eq "";
      push(@{ $self->{line} }, $self->{lastline});
      push(@{ $self->{line_no} }, $self->{lastline_no});
    }

    # Read next line and continuation lines
    last unless defined($self->{lastline} = readline($self->{FH}));
    $self->{lastline_no} = $.;
    my $tmp_line;
    $self->{lastline} .= $tmp_line
      while ($self->{lastline} =~ /\\$/ && defined($tmp_line = readline($self->{FH})));

    chomp $self->{lastline};
    $self->{lastline} =~ s/^\s+$//;
  }

  # Nuke trailing "line" entries until there's one that's not empty
  pop(@{ $self->{line} }), pop(@{ $self->{line_no} })
    while @{ $self->{line} } && $self->{line}->[-1] eq "";

  return 1;
}

sub output_init {
  my $self = shift;
  my $argsref = shift;

  my ($type, $num, $var, $init, $printed_name)
    = @{$argsref}{qw(type num var init printed_name)};

  # local assign for efficiently passing in to eval_input_typemap_code
  local $argsref->{arg} = $num
                          ? "ST(" . ($num-1) . ")"
                          : "/* not a parameter */";

  if ( $init =~ /^=/ ) {
    if ($printed_name) {
      $self->eval_input_typemap_code(qq/print " $init\\n"/, $argsref);
    }
    else {
      $self->eval_input_typemap_code(qq/print "\\t$var $init\\n"/, $argsref);
    }
  }
  else {
    if (  $init =~ s/^\+//  &&  $num  ) {
      $self->generate_init( {
        type          => $type,
        num           => $num,
        var           => $var,
        printed_name  => $printed_name,
      } );
    }
    elsif ($printed_name) {
      print ";\n";
      $init =~ s/^;//;
    }
    else {
      $self->eval_input_typemap_code(qq/print "\\t$var;\\n"/, $argsref);
      $init =~ s/^;//;
    }
    $self->{deferred}
      .= $self->eval_input_typemap_code(qq/"\\n\\t$init\\n"/, $argsref);
  }
}

sub generate_init {
  my $self = shift;
  my $argsref = shift;

  my ($type, $num, $var, $printed_name)
    = @{$argsref}{qw(type num var printed_name)};

  my $argoff = $num - 1;
  my $arg = "ST($argoff)";

  my $typemaps = $self->{typemap};

  $type = ExtUtils::Typemaps::tidy_type($type);
  if (not $typemaps->get_typemap(ctype => $type)) {
    $self->report_typemap_failure($typemaps, $type);
    return;
  }

  (my $ntype = $type) =~ s/\s*\*/Ptr/g;
  (my $subtype = $ntype) =~ s/(?:Array)?(?:Ptr)?$//;

  my $typem = $typemaps->get_typemap(ctype => $type);
  my $xstype = $typem->xstype;
  #this is an optimization from perl 5.0 alpha 6, class check is skipped
  #T_REF_IV_REF is missing since it has no untyped analog at the moment
  $xstype =~ s/OBJ$/REF/ || $xstype =~ s/^T_REF_IV_PTR$/T_PTRREF/
    if $self->{func_name} =~ /DESTROY$/;
  if ($xstype eq 'T_PV' and exists $self->{lengthof}->{$var}) {
    print "\t$var" unless $printed_name;
    print " = ($type)SvPV($arg, STRLEN_length_of_$var);\n";
    die "default value not supported with length(NAME) supplied"
      if defined $self->{defaults}->{$var};
    return;
  }
  $type =~ tr/:/_/ unless $self->{RetainCplusplusHierarchicalTypes};

  my $inputmap = $typemaps->get_inputmap(xstype => $xstype);
  if (not defined $inputmap) {
    $self->blurt("Error: No INPUT definition for type '$type', typekind '$xstype' found");
    return;
  }

  my $expr = $inputmap->cleaned_code;
  # Note: This gruesome bit either needs heavy rethinking or documentation. I vote for the former. --Steffen
  if ($expr =~ /DO_ARRAY_ELEM/) {
    my $subtypemap  = $typemaps->get_typemap(ctype => $subtype);
    if (not $subtypemap) {
      $self->report_typemap_failure($typemaps, $subtype);
      return;
    }

    my $subinputmap = $typemaps->get_inputmap(xstype => $subtypemap->xstype);
    if (not $subinputmap) {
      $self->blurt("Error: No INPUT definition for type '$subtype', typekind '" . $subtypemap->xstype . "' found");
      return;
    }

    my $subexpr = $subinputmap->cleaned_code;
    $subexpr =~ s/\$type/\$subtype/g;
    $subexpr =~ s/ntype/subtype/g;
    $subexpr =~ s/\$arg/ST(ix_$var)/g;
    $subexpr =~ s/\n\t/\n\t\t/g;
    $subexpr =~ s/is not of (.*\")/[arg %d] is not of $1, ix_$var + 1/g;
    $subexpr =~ s/\$var/${var}\[ix_$var - $argoff]/;
    $expr =~ s/DO_ARRAY_ELEM/$subexpr/;
  }
  if ($expr =~ m#/\*.*scope.*\*/#i) {  # "scope" in C comments
    $self->{ScopeThisXSUB} = 1;
  }

  my $eval_vars = {
    var           => $var,
    printed_name  => $printed_name,
    type          => $type,
    ntype         => $ntype,
    subtype       => $subtype,
    num           => $num,
    arg           => $arg,
    argoff        => $argoff,
  };

  if (defined($self->{defaults}->{$var})) {
    $expr =~ s/(\t+)/$1    /g;
    $expr =~ s/        /\t/g;
    if ($printed_name) {
      print ";\n";
    }
    else {
      $self->eval_input_typemap_code(qq/print "\\t$var;\\n"/, $eval_vars);
    }
    if ($self->{defaults}->{$var} eq 'NO_INIT') {
      $self->{deferred} .= $self->eval_input_typemap_code(
        qq/"\\n\\tif (items >= $num) {\\n$expr;\\n\\t}\\n"/,
        $eval_vars
      );
    }
    else {
      $self->{deferred} .= $self->eval_input_typemap_code(
        qq/"\\n\\tif (items < $num)\\n\\t    $var = $self->{defaults}->{$var};\\n\\telse {\\n$expr;\\n\\t}\\n"/,
        $eval_vars
      );
    }
  }
  elsif ($self->{ScopeThisXSUB} or $expr !~ /^\s*\$var =/) {
    if ($printed_name) {
      print ";\n";
    }
    else {
      $self->eval_input_typemap_code(qq/print "\\t$var;\\n"/, $eval_vars);
    }
    $self->{deferred}
      .= $self->eval_input_typemap_code(qq/"\\n$expr;\\n"/, $eval_vars);
  }
  else {
    die "panic: do not know how to handle this branch for function pointers"
      if $printed_name;
    $self->eval_input_typemap_code(qq/print "$expr;\\n"/, $eval_vars);
  }
}

sub generate_output {
  my $self = shift;
  my $argsref = shift;
  my ($type, $num, $var, $do_setmagic, $do_push)
    = @{$argsref}{qw(type num var do_setmagic do_push)};

  my $arg = "ST(" . ($num - ($num != 0)) . ")";

  my $typemaps = $self->{typemap};

  $type = ExtUtils::Typemaps::tidy_type($type);
  local $argsref->{type} = $type;

  if ($type =~ /^array\(([^,]*),(.*)\)/) {
    print "\t$arg = sv_newmortal();\n";
    print "\tsv_setpvn($arg, (char *)$var, $2 * sizeof($1));\n";
    print "\tSvSETMAGIC($arg);\n" if $do_setmagic;
  }
  else {
    my $typemap = $typemaps->get_typemap(ctype => $type);
    if (not $typemap) {
      $self->report_typemap_failure($typemaps, $type);
      return;
    }

    my $outputmap = $typemaps->get_outputmap(xstype => $typemap->xstype);
    if (not $outputmap) {
      $self->blurt("Error: No OUTPUT definition for type '$type', typekind '" . $typemap->xstype . "' found");
      return;
    }

    (my $ntype = $type) =~ s/\s*\*/Ptr/g;
    $ntype =~ s/\(\)//g;
    (my $subtype = $ntype) =~ s/(?:Array)?(?:Ptr)?$//;

    my $eval_vars = {%$argsref, subtype => $subtype, ntype => $ntype, arg => $arg};
    my $expr = $outputmap->cleaned_code;
    if ($expr =~ /DO_ARRAY_ELEM/) {
      my $subtypemap = $typemaps->get_typemap(ctype => $subtype);
      if (not $subtypemap) {
        $self->report_typemap_failure($typemaps, $subtype);
        return;
      }

      my $suboutputmap = $typemaps->get_outputmap(xstype => $subtypemap->xstype);
      if (not $suboutputmap) {
        $self->blurt("Error: No OUTPUT definition for type '$subtype', typekind '" . $subtypemap->xstype . "' found");
        return;
      }

      my $subexpr = $suboutputmap->cleaned_code;
      $subexpr =~ s/ntype/subtype/g;
      $subexpr =~ s/\$arg/ST(ix_$var)/g;
      $subexpr =~ s/\$var/${var}\[ix_$var]/g;
      $subexpr =~ s/\n\t/\n\t\t/g;
      $expr =~ s/DO_ARRAY_ELEM\n/$subexpr/;
      $self->eval_output_typemap_code("print qq\a$expr\a", $eval_vars);
      print "\t\tSvSETMAGIC(ST(ix_$var));\n" if $do_setmagic;
    }
    elsif ($var eq 'RETVAL') {
      my $orig_arg = $arg;
      my $indent;
      my $use_RETVALSV = 1;
      my $do_mortal = 0;
      my $do_copy_tmp = 1;
      my $pre_expr;
      local $eval_vars->{arg} = $arg = 'RETVALSV';
      my $evalexpr = $self->eval_output_typemap_code("qq\a$expr\a", $eval_vars);

      if ($expr =~ /^\t\Q$arg\E = new/) {
        # We expect that $arg has refcnt 1, so we need to
        # mortalize it.
        $do_mortal = 1;
      }
      # If RETVAL is immortal, don't mortalize it. This code is not perfect:
      # It won't detect a func or expression that only returns immortals, for
      # example, this RE must be tried before next elsif.
      elsif ($evalexpr =~ /^\t\Q$arg\E\s*=\s*(boolSV\(|(&PL_sv_yes|&PL_sv_no|&PL_sv_undef)\s*;)/) {
        $do_copy_tmp = 0; #$arg will be a ST(X), no SV* RETVAL, no RETVALSV
        $use_RETVALSV = 0;
      }
      elsif ($evalexpr =~ /^\s*\Q$arg\E\s*=/) {
        # We expect that $arg has refcnt >=1, so we need
        # to mortalize it!
        $use_RETVALSV = 0 if $ntype eq "SVPtr";#reuse SV* RETVAL vs open new block
        $do_mortal = 1;
      }
      else {
        # Just hope that the entry would safely write it
        # over an already mortalized value. By
        # coincidence, something like $arg = &PL_sv_undef
        # works too, but should be caught above.
        $pre_expr = "RETVALSV = sv_newmortal();\n";
        # new mortals don't have set magic
        $do_setmagic = 0;
      }
      if($use_RETVALSV) {
        print "\t{\n\t    SV * RETVALSV;\n";
        $indent = "\t    ";
      } else {
        $indent = "\t";
      }
      print $indent.$pre_expr if $pre_expr;

      if($use_RETVALSV) {
        #take control of 1 layer of indent, may or may not indent more
        $evalexpr =~ s/^(\t|        )/$indent/gm;
        #"\t    \t" doesn't draw right in some IDEs
        #break down all \t into spaces
        $evalexpr =~ s/\t/        /g;
        #rebuild back into \t'es, \t==8 spaces, indent==4 spaces
        $evalexpr =~ s/        /\t/g;
      }
      else {
        if($do_mortal || $do_setmagic) {
        #typemap entry evaled with RETVALSV, if we aren't using RETVALSV replace
          $evalexpr =~ s/RETVALSV/RETVAL/g; #all uses with RETVAL for prettier code
        }
        else { #if no extra boilerplate (no mortal, no set magic) is needed
            #after $evalexport, get rid of RETVALSV's visual cluter and change
          $evalexpr =~ s/RETVALSV/$orig_arg/g;#the lvalue to ST(X)
        }
      }
      #stop "	RETVAL = RETVAL;" for SVPtr type
      print $evalexpr if $evalexpr !~ /^\s*RETVAL = RETVAL;$/;
      print $indent.'RETVAL'.($use_RETVALSV ? 'SV':'')
            .' = sv_2mortal(RETVAL'.($use_RETVALSV ? 'SV':'').");\n" if $do_mortal;
      print $indent.'SvSETMAGIC(RETVAL'.($use_RETVALSV ? 'SV':'').");\n" if $do_setmagic;
      #dont do "RETVALSV = boolSV(RETVAL); ST(0) = RETVALSV;", it is visual clutter
      print $indent."$orig_arg = RETVAL".($use_RETVALSV ? 'SV':'').";\n"
        if $do_mortal || $do_setmagic || $do_copy_tmp;
      print "\t}\n" if $use_RETVALSV;
    }
    elsif ($do_push) {
      print "\tPUSHs(sv_newmortal());\n";
      local $eval_vars->{arg} = "ST($num)";
      $self->eval_output_typemap_code("print qq\a$expr\a", $eval_vars);
      print "\tSvSETMAGIC($arg);\n" if $do_setmagic;
    }
    elsif ($arg =~ /^ST\(\d+\)$/) {
      $self->eval_output_typemap_code("print qq\a$expr\a", $eval_vars);
      print "\tSvSETMAGIC($arg);\n" if $do_setmagic;
    }
  }
}


# Just delegates to a clean package.
# Shim to evaluate Perl code in the right variable context
# for typemap code (having things such as $ALIAS set up).
sub eval_output_typemap_code {
  my ($self, $code, $other) = @_;
  return ExtUtils::ParseXS::Eval::eval_output_typemap_code($self, $code, $other);
}

sub eval_input_typemap_code {
  my ($self, $code, $other) = @_;
  return ExtUtils::ParseXS::Eval::eval_input_typemap_code($self, $code, $other);
}

1;

# vim: ts=2 sw=2 et:
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   Caml1999Y030  qH    ?  7  ( .Stdlib__Format@-Stdlib__Uchar0o9us:2[].Stdlib__String0.BdJP.F4Y3-Stdlib__Stack0a[(Bߠ+Stdlib__Seq0Jd8_mJk-Stdlib__Queue0k!1\
!kҹ[~,Stdlib__List0U#r&L+Stdlib__Int0ʬ<xyd'0~RsogJyc.Stdlib__Either0$_ʩ<-Stdlib__Bytes0G`çVYXq.Stdlib__Buffer0ok
Vj&Stdlib0-&fºnr39tߠ8CamlinternalFormatBasics0ĵ'(jdǠ2CamlinternalFormat0>R)7>RXF{@.Stdlib__String0W\'"IĒ-Stdlib__Stack0(G8-Stdlib__Queue0
.mAK,Stdlib__List0!?$JOjĠ+Stdlib__Int0W0F*3濠-Stdlib__Bytes03tjz
FwDyh.Stdlib__Buffer0Cr`M-i&Stdlib0~tV*e 2CamlinternalFormat0,是aM`@ECBD@CB@@ L 	#camlStdlib__Format__pp_open_box_690BA%state&indent@	'camlStdlib__Format__pp_open_box_gen_485
D@    )format.ml_ BYYA:Stdlib__Format.pp_open_box	 Stdlib__Format.pp_open_box.(fun)@A@<camlStdlib__Format__fun_2148A@#argb#envg@@@$hB	@@#"@     WOh  k  kWA7Stdlib__Format.open_box=Stdlib__Format.open_box.(fun)%A@	$camlStdlib__Format__pp_close_box_495BA@A@<camlStdlib__Format__fun_2156A@"j!n@
B@@@    ;XPj    XA8Stdlib__Format.close_box>Stdlib__Format.close_box.(fun)@A@	$camlStdlib__Format__pp_open_hbox_686BA%state%param@V	@@@    V\{XXA;Stdlib__Format.pp_open_hbox	!Stdlib__Format.pp_open_hbox.(fun)@A@<camlStdlib__Format__fun_2116A@UBTG@@@!HB@@v @    rSPj    SA8Stdlib__Format.open_hbox>Stdlib__Format.open_hbox.(fun)!A@	$camlStdlib__Format__pp_open_vbox_687BA%state&indent@	A@    ` DXXA;Stdlib__Format.pp_open_vbox	!Stdlib__Format.pp_open_vbox.(fun)@A@<camlStdlib__Format__fun_2124A@JO@@@ PB@@@    TPj    TA8Stdlib__Format.open_vbox>Stdlib__Format.open_vbox.(fun)"A@	%camlStdlib__Format__pp_open_hvbox_688BA%state&indent@Ġ	B@    a FY6Y6A<Stdlib__Format.pp_open_hvbox	"Stdlib__Format.pp_open_hvbox.(fun)@A@<camlStdlib__Format__fun_2132A@RW@@@ XB@@㠐@    UQl    UA9Stdlib__Format.open_hvbox?Stdlib__Format.open_hvbox.(fun)"A@	&camlStdlib__Format__pp_open_hovbox_689BA%state&indent@	C@    b HY}Y}A=Stdlib__Format.pp_open_hovbox	#Stdlib__Format.pp_open_hovbox.(fun)@A@<camlStdlib__Format__fun_2140A@Z_@@@ `B@@@    VRn  <  <VA:Stdlib__Format.open_hovbox	 Stdlib__Format.open_hovbox.(fun)"A@	'camlStdlib__Format__pp_print_string_570BA@A@<camlStdlib__Format__fun_2197A@@
B@@@    2^Sp    ^A;Stdlib__Format.print_string	!Stdlib__Format.print_string.(fun)@A@	&camlStdlib__Format__pp_print_bytes_574BA@A@<camlStdlib__Format__fun_2203A@43@
B@@@    M_Rn    _A:Stdlib__Format.print_bytes	 Stdlib__Format.print_bytes.(fun)@A@	#camlStdlib__Format__pp_print_as_565CA%state7%isize8!s9@BM@    kyBnVPVPyA:Stdlib__Format.pp_print_as	 Stdlib__Format.pp_print_as.(fun)    ptEXUUtA?Stdlib__Format.pp_print_as_size	%Stdlib__Format.pp_print_as_size.(fun)@N@    zt[mUUt
@@    }tEmUUt
@	)camlStdlib__Format__enqueue_string_as_459'%@    uGeVVu@@A@<camlStdlib__Format__fun_2189B@@@@BC@@=<@    ]Oh  k  k]A7Stdlib__Format.print_as=Stdlib__Format.print_as.(fun)@6	@6@	41
"!@1.A@	$camlStdlib__Format__pp_print_int_670BA%state!i@	>camlStdlib__Int__to_string_117
@    q BW;W;A;Stdlib__Format.pp_print_int	!Stdlib__Format.pp_print_int.(fun)@@    [ BW;W;@A@<camlStdlib__Format__fun_2209A@@@@"B@@Ƞ!@    `Pj    `A8Stdlib__Format.print_int>Stdlib__Format.print_int.(fun)%@!A@	&camlStdlib__Format__pp_print_float_674BA%state!f@⠐	?camlStdlib__string_of_float_190
@    s FWWA=Stdlib__Format.pp_print_float	#Stdlib__Format.pp_print_float.(fun)@@    ] FWW@A@<camlStdlib__Format__fun_2217A@@@@"B@@!@    'aRn    aA:Stdlib__Format.print_float	 Stdlib__Format.print_float.(fun)%@!A@	%camlStdlib__Format__pp_print_char_682BA@A@<camlStdlib__Format__fun_2225A@*)@
B@@@    CbQl  N  NbA9Stdlib__Format.print_char?Stdlib__Format.print_char.(fun)@A@	%camlStdlib__Format__pp_print_bool_678BA%state!b@8	.camlStdlib__11$true.camlStdlib__12%false@    g\ DWWA<Stdlib__Format.pp_print_bool	"Stdlib__Format.pp_print_bool.(fun)@A@<camlStdlib__Format__fun_2231A@fe@@@*B@@a)#@    cQl  {  {cA9Stdlib__Format.print_bool?Stdlib__Format.print_bool.(fun)"A@	&camlStdlib__Format__pp_print_space_739BA%state砐I@	&camlStdlib__Format__pp_print_break_734	A@@    ^vaaͰA=Stdlib__Format.pp_print_space	#Stdlib__Format.pp_print_space.(fun)@A@<camlStdlib__Format__fun_2254A@̠@@@!ҹB@@! @    fRn    fA:Stdlib__Format.print_space	 Stdlib__Format.print_space.(fun)!A@	$camlStdlib__Format__pp_print_cut_740BA%state預@7@@@    \tbbΰA;Stdlib__Format.pp_print_cut	!Stdlib__Format.pp_print_cut.(fun)@A@<camlStdlib__Format__fun_2246A@Ġ@@@ ʹB@@W @    ePj    eA8Stdlib__Format.print_cut>Stdlib__Format.print_cut.(fun)!A@bCA@A@<camlStdlib__Format__fun_2240B@@qC@@@    dRn    dA:Stdlib__Format.print_break	 Stdlib__Format.print_break.(fun)@A@	-camlStdlib__Format__pp_print_custom_break_722CA@A@	(camlStdlib__Format__pp_force_newline_714BA@A@<camlStdlib__Format__fun_2262A@Ԡ@
B@@@    .gTr  1  1gA<Stdlib__Format.force_newline	"Stdlib__Format.force_newline.(fun)@A@	+camlStdlib__Format__pp_print_if_newline_718BA@A@<camlStdlib__Format__fun_2280A@0栐/@
B@@@    IjWx    jA?Stdlib__Format.print_if_newline	%Stdlib__Format.print_if_newline.(fun)@A@	&camlStdlib__Format__pp_print_flush_707BA@A@<camlStdlib__Format__fun_2268A@KڠJ@
B@@@    dhRn  d  dhA:Stdlib__Format.print_flush	 Stdlib__Format.print_flush.(fun)@A@	(camlStdlib__Format__pp_print_newline_706BA@A@<camlStdlib__Format__fun_2274A@fࠐe@
B@@@    iTr    iA<Stdlib__Format.print_newline	"Stdlib__Format.print_newline.(fun)@A@	%camlStdlib__Format__pp_set_margin_810BA@A@<camlStdlib__Format__fun_2319A@	
	@
B@@@    sQl    sA9Stdlib__Format.set_margin?Stdlib__Format.set_margin.(fun)@A@	%camlStdlib__Format__pp_get_margin_827BA%state=_>@E	@    @]lnn@A<Stdlib__Format.pp_get_margin	"Stdlib__Format.pp_get_margin.(fun)@A@<camlStdlib__Format__fun_2325A@		@@@	B@@@    tQl  
  
tA9Stdlib__Format.get_margin?Stdlib__Format.get_margin.(fun)A@	)camlStdlib__Format__pp_set_max_indent_802BA@A@<camlStdlib__Format__fun_2333A@		@
B@@@    vUt  8  8vA=Stdlib__Format.set_max_indent	#Stdlib__Format.set_max_indent.(fun)@A@	)camlStdlib__Format__pp_get_max_indent_806BA%state()@G	@    atjjA	 Stdlib__Format.pp_get_max_indent	&Stdlib__Format.pp_get_max_indent.(fun)@A@<camlStdlib__Format__fun_2339A@	!	&@@@	'B@@@    wUt  m  mwA=Stdlib__Format.get_max_indent	#Stdlib__Format.get_max_indent.(fun)A@	&camlStdlib__Format__check_geometry_824AA(geometry:@@@'*match*	)camlStdlib__Format__validate_geometry_819
@    )<Hbnn<A=Stdlib__Format.check_geometry	#Stdlib__Format.check_geometry.(fun)@
@AA@    7=DInn=@A@	'camlStdlib__Format__pp_set_geometry_837CA@A@<camlStdlib__Format__fun_2348B@6	)9	*8	.@C@@@    TySp    yA;Stdlib__Format.set_geometry	!Stdlib__Format.set_geometry.(fun)@A@	,camlStdlib__Format__pp_safe_set_geometry_844CA@A@<camlStdlib__Format__fun_2355B@V	0Y	1X	5@C@@@    tzXz    zA	 Stdlib__Format.safe_set_geometry	&Stdlib__Format.safe_set_geometry.(fun)@A@	*camlStdlib__Format__pp_update_geometry_855BA@A@<camlStdlib__Format__fun_2369A@x	?w	C@B@@@    |Vv  @  @|A>Stdlib__Format.update_geometry	$Stdlib__Format.update_geometry.(fun)@A	'camlStdlib__Format__pp_get_geometry_851BA%stateUVV@@@BB@@    Xr LqqXA>Stdlib__Format.pp_get_geometry	$Stdlib__Format.pp_get_geometry.(fun)@    XMcqqX	@    XB NqqX@A@@<camlStdlib__Format__fun_2361A@	7	<@@@*	=B@@*٠
@    {Sp    {A;Stdlib__Format.get_geometry	!Stdlib__Format.get_geometry.(fun)+,	@&@	%A#	(camlStdlib__Format__pp_set_max_boxes_774BA%state!n	@CA@    bgffA?Stdlib__Format.pp_set_max_boxes	%Stdlib__Format.pp_set_max_boxes.(fun)@N@@@    m Dff@@A@<camlStdlib__Format__fun_2375A@	E	J@@@*	KB@@)(@    ~Tr  x  x~A<Stdlib__Format.set_max_boxes	"Stdlib__Format.set_max_boxes.(fun)+&@	%#A@	(camlStdlib__Format__pp_get_max_boxes_778BA%state
@N	@    0`rgngnA?Stdlib__Format.pp_get_max_boxes	%Stdlib__Format.pp_get_max_boxes.(fun)@A@<camlStdlib__Format__fun_2383A@/	M.	R@@@	SB@@@    JTr    A<Stdlib__Format.get_max_boxes	"Stdlib__Format.get_max_boxes.(fun)A@	)camlStdlib__Format__pp_over_max_boxes_782BA%state@@M@    batggA	 Stdlib__Format.pp_over_max_boxes	&Stdlib__Format.pp_over_max_boxes.(fun)@N@    lw Igg
@@    na Igg@A@<camlStdlib__Format__fun_2391A@j	Ui	Z@@@'	[B@@'&
@    Ut    A=Stdlib__Format.over_max_boxes	#Stdlib__Format.over_max_boxes.(fun)*%	@$@	#A@	$camlStdlib__Format__pp_open_tbox_747BA@A@<camlStdlib__Format__fun_2286A@점@
B@@@    lPj      lA8Stdlib__Format.open_tbox>Stdlib__Format.open_tbox.(fun)@A@	%camlStdlib__Format__pp_close_tbox_753BA@A@<camlStdlib__Format__fun_2292A@򠐠@
B@@@    mQl  +  +mA9Stdlib__Format.close_tbox?Stdlib__Format.close_tbox.(fun)@A@	"camlStdlib__Format__pp_set_tab_769BA@A@<camlStdlib__Format__fun_2305A@	@
B@@@    pNf    pA6Stdlib__Format.set_tab<Stdlib__Format.set_tab.(fun)@A@	$camlStdlib__Format__pp_print_tab_765BA%state @	'camlStdlib__Format__pp_print_tbreak_758	@@@    \ueeA;Stdlib__Format.pp_print_tab	!Stdlib__Format.pp_print_tab.(fun)@A@<camlStdlib__Format__fun_2311A@		
@@@!	B@@! @    qPj    qA8Stdlib__Format.print_tab>Stdlib__Format.print_tab.(fun)!A@,CA@A@<camlStdlib__Format__fun_2299B@@;C@@@    3nSp  X  XnA;Stdlib__Format.print_tbreak	!Stdlib__Format.print_tbreak.(fun)@A@	,camlStdlib__Format__pp_set_ellipsis_text_786BA%state!s@OA@
@    KcyggA	#Stdlib__Format.pp_set_ellipsis_text	)Stdlib__Format.pp_set_ellipsis_text.(fun)@A@<camlStdlib__Format__fun_2399A@J	]I	b@@@	cB@@@    gXz    A	 Stdlib__Format.set_ellipsis_text	&Stdlib__Format.set_ellipsis_text.(fun)!A@	,camlStdlib__Format__pp_get_ellipsis_text_787BA%state,@O	@    |duh7h7A	#Stdlib__Format.pp_get_ellipsis_text	)Stdlib__Format.pp_get_ellipsis_text.(fun)@A@<camlStdlib__Format__fun_2407A@{	ez	j@@@	kB@@@    Xz  O  OA	 Stdlib__Format.get_ellipsis_text	&Stdlib__Format.get_ellipsis_text.(fun)A@5camlStdlib__Format__18Stdlib.Format.String_tag@	$camlStdlib__Format__pp_open_stag_499BA@A@<camlStdlib__Format__fun_2176A@~@
B@@@    [Pj    [A8Stdlib__Format.open_stag>Stdlib__Format.open_stag.(fun)@A@	%camlStdlib__Format__pp_close_stag_504BA@A@<camlStdlib__Format__fun_2182A@@
B@@@    \Ql  >  >\A9Stdlib__Format.close_stag?Stdlib__Format.close_stag.(fun)@A@	#camlStdlib__Format__pp_set_tags_533BA%state!b@  U@@	@    8B[OO8A:Stdlib__Format.pp_set_tags	 Stdlib__Format.pp_set_tags.(fun)    3`xNN3A	 Stdlib__Format.pp_set_print_tags	&Stdlib__Format.pp_set_print_tags.(fun)@V@@@    8]uOO8    4_vO-O-4A?Stdlib__Format.pp_set_mark_tags	%Stdlib__Format.pp_set_mark_tags.(fun)@A@<camlStdlib__Format__fun_2494A@		@@@1	¹B@@  0	@    B[    A7Stdlib__Format.set_tags=Stdlib__Format.set_tags.(fun)4*
	@(A@	)camlStdlib__Format__pp_set_print_tags_517BA%state!b@K	@EA@<camlStdlib__Format__fun_2462A@1	0	@@@	B@@b@    NBa    A=Stdlib__Format.set_print_tags	#Stdlib__Format.set_print_tags.(fun)aA@	(camlStdlib__Format__pp_set_mark_tags_521BA%state!b@i	@fA@<camlStdlib__Format__fun_2478A@_	^	@@@	B@@@    |B`  S  SA<Stdlib__Format.set_mark_tags	"Stdlib__Format.set_mark_tags.(fun)A@	)camlStdlib__Format__pp_get_print_tags_525BA%stateA@U	@    5atOdOd5A	 Stdlib__Format.pp_get_print_tags	&Stdlib__Format.pp_get_print_tags.(fun)@A@<camlStdlib__Format__fun_2470A@		@@@	B@@@    Ba    A=Stdlib__Format.get_print_tags	#Stdlib__Format.get_print_tags.(fun)A@	(camlStdlib__Format__pp_get_mark_tags_529BA%statep@V	@    6`rOO6A?Stdlib__Format.pp_get_mark_tags	%Stdlib__Format.pp_get_mark_tags.(fun)@A@<camlStdlib__Format__fun_2486A@		@@@	B@@@    B`    A<Stdlib__Format.get_mark_tags	"Stdlib__Format.get_mark_tags.(fun)A@	4camlStdlib__Format__pp_set_formatter_out_channel_891BA@A@<camlStdlib__Format__fun_2415A@	m	q@
B@@@    Bl    A	(Stdlib__Format.set_formatter_out_channel	.Stdlib__Format.set_formatter_out_channel.(fun)@A@	9camlStdlib__Format__pp_set_formatter_output_functions_873CA%statek!fl!gm@  PA@
@    wBZuuwA	0Stdlib__Format.pp_set_formatter_output_functions	6Stdlib__Format.pp_set_formatter_output_functions.(fun)@QA@@    w\suuw@A@<camlStdlib__Format__fun_2434B@			@@@.	C@@  )	@    :Bq    A	-Stdlib__Format.set_formatter_output_functions	3Stdlib__Format.set_formatter_output_functions.(fun)-(
@	'A@	9camlStdlib__Format__pp_get_formatter_output_functions_878BA%statepq@@@@@@P@    ZzCVuyuyzA	0Stdlib__Format.pp_get_formatter_output_functions	6Stdlib__Format.pp_get_formatter_output_functions.(fun)@Q@    dzXjuyuyz
@@    fzBkuyuyz@A@@<camlStdlib__Format__fun_2442A@d	c	@@@,	B@@,(
@    Bq    A	-Stdlib__Format.get_formatter_output_functions	3Stdlib__Format.get_formatter_output_functions.(fun),'	@&@	%A#	6camlStdlib__Format__pp_set_formatter_out_functions_860BA@A@<camlStdlib__Format__fun_2421A@	s	w@
B@@@    Bn    A	*Stdlib__Format.set_formatter_out_functions	0Stdlib__Format.set_formatter_out_functions.(fun)@A@	6camlStdlib__Format__pp_get_formatter_out_functions_869BA@A@@@@@<camlStdlib__Format__fun_2427A@	y	}@B@@@    Bn  L  LA	*Stdlib__Format.get_formatter_out_functions	0Stdlib__Format.get_formatter_out_functions.(fun)@A	7camlStdlib__Format__pp_set_formatter_stag_functions_541BA@A@<camlStdlib__Format__fun_2450A@		@
B@@@    Bo  N  NA	+Stdlib__Format.set_formatter_stag_functions	1Stdlib__Format.set_formatter_stag_functions.(fun)@A@	7camlStdlib__Format__pp_get_formatter_stag_functions_537BA@A@@@@<camlStdlib__Format__fun_2456A@		@B@@@    Bo    A	+Stdlib__Format.get_formatter_stag_functions	1Stdlib__Format.get_formatter_stag_functions.(fun)@A	0camlStdlib__Format__formatter_of_out_channel_926AA@A@2camlStdlib__Format l m	+camlStdlib__Format__formatter_of_buffer_930AA@A@ o p	+camlStdlib__Format__flush_str_formatter_989AA@	.camlStdlib__Format__flush_buffer_formatter_984 o2camlStdlib__Format@@@@ p2camlStdlib__Format@@@@@    	] H    A	"Stdlib__Format.flush_str_formatter	(Stdlib__Format.flush_str_formatter.(fun)@A@	&camlStdlib__Format__make_formatter_921BA@A@	2camlStdlib__Format__formatter_of_out_functions_918AA(out_funs@	)camlStdlib__Format__pp_make_formatter_906@	@    	6DW  i  iװA	)Stdlib__Format.formatter_of_out_functions	/Stdlib__Format.formatter_of_out_functions.(fun)@A@    	@DV    
@B@    	GDX    @C!@    	NDW    @D(@    	UDW    @@    	WB   U  !@A@	4camlStdlib__Format__make_symbolic_output_buffer_1000AA	@@A@@@@    	h)Bc    )A	*Stdlib__Format.make_symbolic_output_buffer	0Stdlib__Format.make_symbolic_output_buffer.(fun)@A@	5camlStdlib__Format__clear_symbolic_output_buffer_1003AA#sob@@A@@@    	},Bd  Z  Z,A	+Stdlib__Format.clear_symbolic_output_buffer	1Stdlib__Format.clear_symbolic_output_buffer.(fun)@A@	3camlStdlib__Format__get_symbolic_output_buffer_1006AA#sob@@@!l@
@    	/Kg    /A	)Stdlib__Format.get_symbolic_output_buffer	/Stdlib__Format.get_symbolic_output_buffer.(fun)@	 camlStdlib__List__rev_append_122@@    	/Bg    /    'list.ml|L[|A0Stdlib__List.rev6Stdlib__List.rev.(fun)@A@	5camlStdlib__Format__flush_symbolic_output_buffer_1073AA#sob3@@@%items4@@)(@    	2Nl    2A	+Stdlib__Format.flush_symbolic_output_buffer	1Stdlib__Format.flush_symbolic_output_buffer.(fun),'&@	%  ON@    	3Bb  %  %3NA@	1camlStdlib__Format__add_symbolic_output_item_1077BA#sob7$item8@@A@
@@@@@@@    	7j F  z  z7A	'Stdlib__Format.add_symbolic_output_item	-Stdlib__Format.add_symbolic_output_item.(fun)@@    	7b F  z  z7@@    	7B F  z  z7@A@	<camlStdlib__Format__formatter_of_symbolic_output_buffer_1081AA@A@	&camlStdlib__Format__pp_print_list_1165DA%*opt*$pp_v#ppf	@@@&pp_sep@@    
am  
  
A<Stdlib__Format.pp_print_list	"Stdlib__Format.pp_print_list.(fun)@\2camlStdlib__Format@@@@	,camlStdlib__Format__pp_print_list_inner_2499$" @@A@	%camlStdlib__Format__pp_print_seq_1201DA3$pp_v#ppf#seq@@@&pp_sep@@    
G\h    A;Stdlib__Format.pp_print_seq	!Stdlib__Format.pp_print_seq.(fun)@\2camlStdlib__Format@@@@	+camlStdlib__Format__pp_print_seq_inner_2512%#!@@A@	&camlStdlib__Format__pp_print_text_1211BA@A@	(camlStdlib__Format__pp_print_option_1220DA@A@	(camlStdlib__Format__pp_print_result_1231DA@A@	(camlStdlib__Format__pp_print_either_1239DA@A@	 camlStdlib__Format__fprintf_1377AA@A<camlStdlib__Format__fun_2582A@
e

d
@	!camlStdlib__Format__kfprintf_1359B@@C
@@@    
URe  =  =UA6Stdlib__Format.fprintf<Stdlib__Format.fprintf.(fun)@A@?camlStdlib__Format__printf_1380AA@A@	 camlStdlib__Format__eprintf_1383AA@A@	 camlStdlib__Format__sprintf_1406AA#fmt@	!camlStdlib__Format__ksprintf_1397 2camlStdlib__Format@@@@
@    
iRa  6  6iA6Stdlib__Format.sprintf<Stdlib__Format.sprintf.(fun)@A@	!camlStdlib__Format__asprintf_1418AA#fmt@	"camlStdlib__Format__kasprintf_1409 2camlStdlib__Format@@@@
@    
tSc  0  0tA7Stdlib__Format.asprintf=Stdlib__Format.asprintf.(fun)@A@	 camlStdlib__Format__dprintf_1393AA@A@	!camlStdlib__Format__ifprintf_1372BA@A@RCA@A@	!camlStdlib__Format__kdprintf_1386BA@A@	"camlStdlib__Format__ikfprintf_1360CA!kX#ppfY
[@	)camlCamlinternalFormat__make_iprintf_3895
@@    
OTe    OA8Stdlib__Format.ikfprintf>Stdlib__Format.ikfprintf.(fun)@G6camlCamlinternalFormat@    
PBN    P@@    
PBN    P@@    
PBX    P@A@bBA@A@KBA@A@	 camlStdlib__Format__bprintf_1437BA@A@<camlStdlib__Format__fun_2621D@

8

9 
:
;
?@	>camlStdlib__Format__pp_set_all_formatter_output_functions_1424C@@@    #Bu  t  tA	1Stdlib__Format.set_all_formatter_output_functions	7Stdlib__Format.set_all_formatter_output_functions.(fun)@A@<camlStdlib__Format__fun_2627A@"
A!
E@	>camlStdlib__Format__pp_get_all_formatter_output_functions_1431B@@
@    <Bu    A	1Stdlib__Format.get_all_formatter_output_functions	7Stdlib__Format.get_all_formatter_output_functions.(fun)@A@@@@0EA@A@BA@A	#camlStdlib__Format__pp_open_tag_509BA@A@<camlStdlib__Format__fun_2162A@DpCt@
B@@@    ]YOh    YA7Stdlib__Format.open_tag=Stdlib__Format.open_tag.(fun)@A@	$camlStdlib__Format__pp_close_tag_513BA%state"@@@    t1\rNN1A;Stdlib__Format.pp_close_tag	!Stdlib__Format.pp_close_tag.(fun)@A@<camlStdlib__Format__fun_2168A@svr{@@@|B@@̠@    ZPj    ZA8Stdlib__Format.close_tag>Stdlib__Format.close_tag.(fun) A@	7camlStdlib__Format__pp_set_formatter_tag_functions_1452BA@A@<camlStdlib__Format__fun_2675A@
q
u@
B@@@    Bn    ̰A	*Stdlib__Format.set_formatter_tag_functions	0Stdlib__Format.set_formatter_tag_functions.(fun)@A@	7camlStdlib__Format__pp_get_formatter_tag_functions_1466BA@A	&camlStdlib__Format__mark_open_tag_1470A@@A@	'camlStdlib__Format__mark_close_tag_1473A@@A@	'camlStdlib__Format__print_open_tag_1476A@@A@	(camlStdlib__Format__print_close_tag_1479A@@A@<camlStdlib__Format__fun_2681A@
w
{@B@@@    Bn  *  *ΰA	*Stdlib__Format.get_formatter_tag_functions	0Stdlib__Format.get_formatter_tag_functions.(fun)@A&9camlStdlib__Format__id_81AA!x S@A@@ ?camlStdlib__Format__is_known_89AA!n [@E@@    jSYaajA<Stdlib__Format.Size.is_known	"Stdlib__Format.Size.is_known.(fun)@A@	"camlStdlib__Format__pp_enqueue_243BA%state %token @  L@@EL@     Zn ۰A9Stdlib__Format.pp_enqueue?Stdlib__Format.pp_enqueue.(fun)@B@      q} 
@@    " Z} @@    $ B} @9camlStdlib__Queue__add_97"[+@    / R` @@    1 B` @A@	&camlStdlib__Format__pp_clear_queue_247AA%state @  K@@A@    D BZ** A=Stdlib__Format.pp_clear_queue	#Stdlib__Format.pp_clear_queue.(fun)@  L@@A@    Q \u** 
@;camlStdlib__Queue__clear_94[ @    Z N\aa @@    \ B\aa @A@;
	(camlStdlib__Format__pp_output_string_251BA@A@	)camlStdlib__Format__pp_output_newline_252AA%stateM@R@    q ^r$7$7 A	 Stdlib__Format.pp_output_newline	&Stdlib__Format.pp_output_newline.(fun)@@@    y ^u$7$7 @A@	(camlStdlib__Format__pp_output_spaces_253BA%stateN!nO@S@     _r$m$m A?Stdlib__Format.pp_output_spaces	%Stdlib__Format.pp_output_spaces.(fun)@@     _t$m$m @A@	(camlStdlib__Format__pp_output_indent_254BA%stateP!nQ@T@     _r$$ A?Stdlib__Format.pp_output_indent	%Stdlib__Format.pp_output_indent.(fun)@@     _t$$ @A@	&camlStdlib__Format__format_pp_text_338CA%stateT$sizeU$textV@  H@@FH@    Yl%%A=Stdlib__Format.format_pp_text	#Stdlib__Format.format_pp_text.(fun)@@    Ys%%@@    Bs%%	@  y%@    B]%O%O@J@@-@@    B_%n%n@A@	%camlStdlib__Format__format_string_343BA@A@	&camlStdlib__Format__break_new_line_347CA@A@	"camlStdlib__Format__break_line_387BA%state%width@	5camlStdlib__Format__3@5camlStdlib__Format__2 @ @@    
] C(q(qA9Stdlib__Format.break_line?Stdlib__Format.break_line.(fun)@A@	'camlStdlib__Format__break_same_line_391BA@A@	+camlStdlib__Format__pp_force_break_line_398AA@A@	%camlStdlib__Format__pp_skip_token_403AA@A@	'camlStdlib__Format__format_pp_token_408CA@A@	$camlStdlib__Format__advance_left_448AA@A@	'camlStdlib__Format__enqueue_advance_455BA@A@CA@A@	&camlStdlib__Format__enqueue_string_464BA%stateҠ!s@	@@bEX@    
Egx??ưA=Stdlib__Format.enqueue_string	#Stdlib__Format.enqueue_string.(fun)@
@    
MB{??@A@	-camlStdlib__Format__initialize_scan_stack_468AA@A@	 camlStdlib__Format__set_size_472BA@A@	!camlStdlib__Format__scan_push_479CA@A@
bCA@A@	'camlStdlib__Format__pp_open_sys_box_492AA%state@
l@C@    
l\}JJA>Stdlib__Format.pp_open_sys_box	$Stdlib__Format.pp_open_sys_box.(fun)@A@	 camlStdlib__Format__pp_rinit_549AA@A@	'camlStdlib__Format__clear_tag_stack_552AA@A@	&camlStdlib__Format__pp_flush_queue_556BA@A@	(camlStdlib__Format__pp_print_as_size_560CA%state2$size3!s4@('@!@@@A@	 camlStdlib__Format__pp_limit_794AA!n@BM@    

EThh
A7Stdlib__Format.pp_limit=Stdlib__Format.pp_limit.(fun)@;	A@	-camlStdlib__Format__pp_set_min_space_left_797BA@A@	AA@A@	,camlStdlib__Format__pp_set_full_geometry_831BA%stateA
yD@  
A	A
@    
B_sooBA	#Stdlib__Format.pp_set_full_geometry	)Stdlib__Format.pp_set_full_geometry.(fun)@@    
CB\o9o9C@  
@@    
B_sooB@@    
DBdoWoWD@	fA	g	'camlStdlib__Format__display_newline_882BA%statet
u@P
@    
~_ruu~A>Stdlib__Format.display_newline	$Stdlib__Format.display_newline.(fun)@6camlStdlib__Format__11!
@A@    ~_|uu~@A@
 	&camlStdlib__Format__display_blanks_887BA@A@	0camlStdlib__Format__default_pp_mark_open_tag_896AA@A@	1camlStdlib__Format__default_pp_mark_close_tag_900AA@A@	1camlStdlib__Format__default_pp_print_open_tag_904AA$prim@  @A	2camlStdlib__Format__default_pp_print_close_tag_905AA@  @AEA@A@ 	&camlStdlib__Format__pp_make_buffer_977AA
@=camlStdlib__Buffer__create_86
@    =Xt    A=Stdlib__Format.pp_make_buffer	#Stdlib__Format.pp_make_buffer.(fun)@A@5BA@A@	(camlStdlib__Format__pp_print_seq_in_1175DA@A@	$camlStdlib__Format__compute_tag_1264BA@A@	.camlStdlib__Format__output_formatting_lit_1277BA@A@	#camlStdlib__Format__output_acc_1284B@@A@	#camlStdlib__Format__strput_acc_1320B@@A@	2camlStdlib__Format__flush_standard_formatters_1421AA@A@X ΣY ϣZ У[ ѣ\ @*~~5a                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                        Caml1999T030  2    $  #  4 +Stdlib__Fun"id Q&fun.mlP7@P7B@б@А!a @A@  0 @@@@@@*floatarrayQ  8 @@@A@@@@@&_none_@@ A@@@5extension_constructorP  8 @@@A@@@@@@@@#intA  8 @@@A@@@@@@A@$charB  8 @@@A@@@@@@A@&stringO  8 @@@A@@@@@@@@%floatD  8 @@@A@@@@@@@@$boolE  8 @@%false^@@!@$true_@@'@@@A@@@@@(@A@$unitF  8 @@"()`@@2@@@A@@@@@3@A@
#exnG  8 @@AA@@@@@7@@@%arrayH  8 @ @O@A@A@ @@@@@@@@@$listI  8 @ @P@A"[]a@@M@"::b@@ @Q@@Z@
@@A@Y@@@@@]@@@&optionJ  8 @ @S@A$Nonec@@j@$Somed@@q@@@A@Y@@@@@t@@@&lazy_tN  8 @ @U@A@A@Y@@@@@}@@@)nativeintK  8 @@@A@@@@@@@@%int32L  8 @@@A@@@@@@@@%int64M  8 @@@A@@@@@@@@:Undefined_recursive_module]    Z@@@ @J@@ @@@ @V@@A=ocaml.warn_on_literal_pattern@@.Assert_failure\    @@ @X@@A@
0Division_by_zeroY    '@@@A@+End_of_fileX    /@@@A @)Sys_errorW    7@3@@AƠ)(@.Sys_blocked_io[    @@@@AΠ10@)Not_foundV    H@@@A֠98@'FailureU    P@L@@AߠBA@0Invalid_argumentT    Y@U@@A蠰KJ@.Stack_overflowZ    b@@@A𠰠SR@-Out_of_memoryS    j@@@A[Z@-Match_failureR    r@qmn@ @c@@Ai	h	@
%bytesC  8 @@@A@@@@@
@@@&Stdlib@@CP7EDP7G@@А!a@;IP7KJP7M@@@EE@ @@@@)%identityAA @@@UP77VP7[@@c@@@@M@ࠠ%const ReQ\`fQ\e@@@@@ @"A@@@ @$A@!
@ @#A@@ @A@  0 kjjkkkkk@j~,@@@@!c TQ\fQ\g@@@  0 zyyzzzzz@'Q\\Q\m@@@@@@%param U@Q\hQ\i@@#  0 @.@@B@@@@ఐ"!cQ\l@
@@8A@%@@AA@4@@A#A@@;7@ @*  0 @"@@@@ @ @3@ࠠ$flip VRnrRnv@@@@@@ @B@@ @E@ @;A@FA @GA@CA @DA@,@A@3@A@:@ @<A@4@ @5A@-@ @.A@+  0 @f~x@y@A@@@@!f XRnwRnx@@@1  0 @=RnnRn@@@@@@!x YRnyRnz@@@,  0 @ G@@D@@@@@!y ZRn{Rn|@@@7  0 @@@@!E@@@@ఐ8!fRn Rn@@@eA@/  0 @K@@2F@@@@ఐ&!y1Rn2Rn@@@YA@=@@ఐE!x?RnM@,N@@lA@6@@$P@@zA@?!@@A6RA@l  0 87788888@3@@@@AITA@t  0 :99:::::@F@@@@A^VA@@x@ @N  0 >==>>>>>@]@@@@[@[Z@p@ࠠ&negate [XSYS@@@@@@ @j$boolE@@ @hA@kA @lA@P@A@W@@ @gA@X@ @YA@Q@ @RA@O  0 nmmnnnnn@@@C@@@@!p ]SS@@@-  0 ~~@9SS@@@@@@!v ^SS@@@,  0 @ C@@H@@@@డi#notSS@@J@@ @ |=@@ @ {@ @ z(%boolnotAA @@@*stdlib.mli "" ""@@&Stdlib\@@@^@@A@aQ@@A@`@A@_  0 @-9[@0@I@@@@ఐV!pSS@<@@A@S@@ఐQ!vSS@@@yA@Z"@@S^@@$@@D_@@y%@@AU`A@  0 @R@@@@AjbA@@@ @s  0 @i@@@@g@gf@|.Finally_raised _A UU@    E@@@ @t@@A
UU@@Jг#exnU@@  0 
		




@@@&G@@@@@@@@@@Ġ"()(W)W@  < @@ @N@@@@A@A@A@@@@	@@@@ @x  0 '&&'''''@:4@@@డ(Printexc0register_printerBWCW@@@#exnG@@ @,&optionJ&stringO@@ @+@@ @*@ @)$unitF@@ @(@ @'@,printexc.mli U U@@0Stdlib__PrintexcI'&@@@@$@@B@!@@B@@@B@@B@@@B@@B@  0 mllmmmmm@F@@@@@ Ġ.Finally_raisedXX@  < @@ @u@A@   @A@@ࠠ#exn XX@@@@@ @$@@@@@V@@F@(@@ภ$SomeX	X
@  < @ @T@A@AAB@A@@డw!^X&X'@@&stringO@@ @@@@ @@@ @@ @@ @@gggg;@@ s@@@@@D@@@@D@@@D@@D@@D@  0 @OI@J@K@@@@4Fun.Finally_raised: XX$@@XX%@@7@@E@E@E@@@డ(Printexc)to_stringX(	X:@@@@ @@@ @@ @@UU@@A@@@@@E@@@E@@E@A@@ఐ#exn,X;-X>@K@@&@@F@F@F@U@@/
@@t@@E@E@F@]@@?X@X?@@@@D@D@E@g@@	@@@@D@@@D@D@q@@VY@BWY@C@@@@F@@@ภ$NoneaY@GbY@K@  < @@@@AAB@A4@@@@@D@@@AiW@@@%@@C@"@@C@@@C@@C@C@D@@7@@JC@G@@|W@@@J@ࠠ'protect [MQ[MX@@@'finally@?@@ @C@@ @@ @B@@@}@@ @B@@ @B@ݐA @B@@ @B@@ @B@7@## @[M[[Mb@@@(@@ @'@@ @ @ @  0 @@[MMf@@@@:@б@г;$unit[Me[Mi@@C@@ @@@гC$unit[Mm[Mq@@K@@ @$@@@@ @'@@3	@@@Y)@@@$work [Ms[Mw@@@X  0 @7IA@D@	M@@@@@ࠠ.finally_no_exn \z	\z@@@@@@ @C@|@@ @C@@ @C@
  0 @ ,z@#@(N@@@@ Ġ '\z(\z@@@@@  0 @'.\z|/_@@@@@ఐ'finally;]<]@A@@@@@D@@@D@@D@@@ภ'N]O]@&@@@@@E@E@#,@@@@A-@ࠠ!e _]`]@@@@@E@';@@@ࠠ"bt o^p^@@@(Printexc-raw_backtrace@@ @E@,  0 pooppppp@T$@@ @&@"@P@@@డK(Printexc1get_raw_backtrace^^@@9@@ @;%@@ @:@ @9@: ; @@9N@@@@@E@02@@E@/@E@.,@@ภ^^@@@@!@@F@F@<@@*@@F=@@^
@@డ(Printexc4raise_with_backtrace__@@@@ @G@_@@ @F!a @@ @E@ @D5%raise_with_backtraceBA @@@@~  Vq@@}Q@@@@@D@@x@@D@C@*D@@D@@D@  0 @w@@Q@@@@ภ.Finally_raised __@wఐ!e
__@@@@@E@E@E@!@@__@@L@@E@E@)@@ఐ"bt&_@2@@@@E@E@E@<@@h@@A=@v@@@@@2]@@  0 &%%&&&&&@	@@@@AA@@&!@ @@@
@ఐO$workBa (Ca ,@)@@B@	  0 98899999@.D>@?@UO@@@@ภ+Ra -Sa /@*@@@*@@D@@@@@@ࠠ&result cb59db5?@@@B@B@B@  0 ^]]^^^^^@%@@@@@@ఐo.finally_no_exnwb5Cxb5Q@1@@@Q@@C@@@C@@C@  0 uttuuuuu@=%@ @R@@@@ภgb5Rb5T@f@@@h@@D@D@@@ @@B@@B@C@@ఐA&resultb5Wb5]@"@@?%@1@@@B@'@ࠠ(work_exn c^lc^t@@@@@ @s@c^b@@Uu@@@ࠠ'work_bt dxdx@@@V@@ @C@  0 @ @@S@@@డ(Printexc1get_raw_backtracedxdx@M@@@M@@C@q@@C@@C@ @@ภɰdxdx@@@@`@@D@
D@+@@@@/,@@dx~
@@ఐ.finally_no_exnee@@@@@@C@t@@C@@C@  0 @ERL@M@ T@@@@ภee@@@@@@D@!D@%@@ @@@@B@(C@ @డ(Printexc4raise_with_backtrace7f8f@o@@@o@@B@.@@A0Stdlib__Printexc@ @< @;@B@-B@B@,@B@+@B@*B@@ఐ(work_exn]f^f@@@@@C@8C@:C@9V@@ఐ'work_btqf@_@@@@C@7C@>C@=i@@D@@,j@v@@-k@@@,@@A~a "@@  0 rqqrrrrr@9@@@S@@h@@AA@  0 uttuuuuu@@@@@A[MYA@@ @C  0 zyyzzzzz@@@@@@@@=@,@@=x@B@
@@L@@  0 @d@@'finally@$unitF@@ @L@@ @K@ @J@@@@ @I!a @G@ @H@ @F@ @E@'fun.mliggJ@@+Stdlib__FunD@@!a @P$boolE@@ @R@ @Q@@@ @O@ @N@ @M@aBBaBk@@C^@@!a @W@!b @X!c @V@ @Z@ @Y@
@@ @U@ @T@ @S@:];]@@9B@!a @]@@ @^@ @\@ @[@KYLY@@JA@!a @`@ @_)%identityAA @@@]V^V@@\@@	H************************************************************************A@@A@ L@	H                                                                        #B M M$B M @	H                                 OCaml                                  )C  *C  @	H                                                                        /D  0D 3@	H                         The OCaml programmers                          5E446E4@	H                                                                        ;F<F@	H   Copyright 2018 Institut National de Recherche en Informatique et     AGBG@	H     en Automatique.                                                    GHHHg@	H                                                                        MIhhNIh@	H   All rights reserved.  This file is distributed under the terms of    SJTJ@	H   the GNU Lesser General Public License version 2.1, with the          YKZKN@	H   special exception on linking described in the file LICENSE.          _LOO`LO@	H                                                                        eMfM@	H************************************************************************kNlN5@@  H +../ocamlopt0-strict-sequence(-absname"-w8+a-4-9-41-42-44-45-48-70"-g+-warn-error"+A*-bin-annot)-nostdlib*-principal,-safe-string/-strict-formats2-function-sections"-o/stdlib__Fun.cmx"-c~(./stdlib @0qwp*JNKmP  0 xwwxxxxx@v@@8CamlinternalFormatBasics0ĵ'(jdǠ&Stdlib0-&fºnr39tߠ0Wk9H\ߠJ0&\cMv>fN@@A                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                              Caml1999I030       L  ?+Stdlib__Fun"id W@!a @ @ @ )%identityAA @@@'fun.mliVV@@@@%const X@!a @ @@ @ @ @ @ @ @YY@@)A@$flip Y@@!a @ @!b @ !c @ @ @ @ @ @
@@ @ @ @ @ @ @3]4]@@HB@&negate Z@@!a @ $boolE@@ @ @ @ @@@ @ @ @ @ @ @PaBBQaBk@@eC@'protect ['finally@$unitF@@ @ @@ @ @ @ @@@@ @ !a @ @ @ @ @ @ @ @ugvgJ@@D@ .Finally_raised \    #exnG@@@ @ @@A&_none_@@ A@EB@@   i      9   .+Stdlib__Fun0Wk9H\ߠ&Stdlib0-&fºnr39tߠ8CamlinternalFormatBasics0ĵ'(jd@            @@Caml1999T030  %      }  4 +Stdlib__Fun*ocaml.text&_none_@@ A	) Function manipulation.

    @since 4.08 'fun.mliP77RSe@@@@@@  0 @@@@@@*floatarrayQ  8 @@@A@@@@@3@@@5extension_constructorP  8 @@@A@@@@@7@@@#intA  8 @@@A@@@@@;@A@$charB  8 @@@A@@@@@?@A@&stringO  8 @@@A@@@@@C@@@%floatD  8 @@@A@@@@@G@@@$boolE  8 @@%false^@@Q@$true_@@W@@@A@@@@@X@A@$unitF  8 @@"()`@@b@@@A@@@@@c@A@
#exnG  8 @@AA@@@@@g@@@%arrayH  8 @ @O@A@A@ @@@@@p@@@$listI  8 @ @P@A"[]a@@}@"::b@@ @Q@@@
@@A@Y@@@@@@@@&optionJ  8 @ @S@A$Nonec@@@$Somed@@@@@A@Y@@@@@@@@&lazy_tN  8 @ @U@A@A@Y@@@@@@@@)nativeintK  8 @@@A@@@@@@@@%int32L  8 @@@A@@@@@@@@%int64M  8 @@@A@@@@@@@@:Undefined_recursive_module]    Z@@@ @J@@ @@@ @V@@A͠=ocaml.warn_on_literal_patternѐ@@.Assert_failure\    @@ @X@@Aݠ@
0Division_by_zeroY    '@@@A堰@+End_of_fileX    /@@@A @)Sys_errorW    7@3@@A)(@.Sys_blocked_io[    @@@@A10@)Not_foundV    H@@@A9	8	@'FailureU    P@L@@ABA@0Invalid_argumentT    Y@U@@AKJ@.Stack_overflowZ    b@@@A S#R#@-Out_of_memoryS    j@@@A([+Z+@-Match_failureR    r@qmn@ @c@@A6i9h9@
%bytesC  8 @@@A@@@@@=@@@&Stdlib@A6G= {1:combinators Combinators} BTggCTg@@@@@@A"id QLVMV@б@А!a @A@UYVZV@@А!a[_V`V@@@@ @`@@)%identityAA @@@kVlV@)ocaml.doc}	E [id] is the identity function. For any argument [x], [id x] is [x]. zW{W@@@@@@@@@@|%const RY Y@б@А!a @A@  0 @M1@AYY
@@б@@@ @
YY@@А!aYY@@@
@ @@@@@ @Y@@@Y@C	l [const c] is a function that always returns the value [c]. For any
    argument [x], [(const c) x] is [c]. Z[_@@@@@@@A@@,$flip S]]@б@б@А!a @(A@  0 @CT*@A]]@@б@А!b @*A@ ]]@@А!c @,A@!]]@@@
@ @"@@@'@ @#" @@б@А!b(]]@@б@А!a50]]@@А!c!6]
]@@@@&@ @$;@@@4@ @%>@@@!@ @&A]]@@@]@	 [flip f] reverses the argument order of the binary function
    [f]. For any arguments [x] and [y], [(flip f) x y] is [f y x]. '^(_@@@@@@@@?B@@V&negate T3aBF4aBL@б@б@А!a @4A@-  0 >==>>>>>@m*@ADaBPEaBR@@г
$boolMaBVNaBZ@@	@@ @.@@@@ @/@@б@А!a\aB`]aBb@@г%$booleaBffaBj@@	@@ @0)@@@1@ @1,@@@@ @2/qaBOraBk@@@uaBB@		t [negate p] is the negation of the predicate function [p]. For any
    argument [x], [(negate p) x] is [not (p x)]. bllc@@@@@@@C@@D	" {1:exception Exception handling} ee@@@@@@  0 @Tg#@A'protect Ugg@б'finallyб@г\$unitg'g+@@	@@ @5@@гi$unitg/g3@@	@@ @6+@@@@ @7.@@б@б@г}$unitg9g=@@	@@ @8?@@А!a @>A@9HgAgC@@@
@ @:M@@А!aQgHgJ@@@@ @;Vg8@@L.@ @<Zg	@@@g@
   [protect ~finally work] invokes [work ()] and then [finally ()]
    before [work ()] returns with its value or an exception. In the
    latter case the exception is re-raised after [finally ()]. If
    [finally ()] raises an exception, then the exception
    {!Finally_raised} is raised instead.

    [protect] can be used to enforce local invariants whether [work ()]
    returns normally or raises an exception. However, it does not
    protect against unexpected exceptions raised inside [finally ()]
    such as {!Stdlib.Out_of_memory}, {!Stdlib.Stack_overflow}, or
    asynchronous exceptions raised by signal handlers
    (e.g. {!Sys.Break}).

    Note: It is a {e programming error} if other kinds of exceptions
    are raised by [finally], as any exception raised in [work ()] will
    be lost in the event of a {!Finally_raised} exception. Therefore,
    one should make sure to handle those inside the finally. hKKx

@@@@@@@D@@n.Finally_raised VAz

z
@    ]@@@ @?@@Az

z
@
  / [Finally_raised exn] is raised by [protect ~finally work] when
    [finally] raises an exception [exn]. This exception denotes either
    an unexpected exception or a programming error. As a general rule,
    one should not catch a [Finally_raised] exception except as part of
    a catch-all handler. "{#%@@@@@@@@:Eг#exn.z
@@  0 ,++,,,,,@A@A@@@@>@@@@@v @@M@82B@@  0 <;;<<<<<@:4@A@	H************************************************************************EA@@FA@ L@	H                                                                        KB M MLB M @	H                                 OCaml                                  QC  RC  @	H                                                                        WD  XD 3@	H                         The OCaml programmers                          ]E44^E4@	H                                                                        cFdF@	H   Copyright 2018 Institut National de Recherche en Informatique et     iGjG@	H     en Automatique.                                                    oHpHg@	H                                                                        uIhhvIh@	H   All rights reserved.  This file is distributed under the terms of    {J|J@	H   the GNU Lesser General Public License version 2.1, with the          KKN@	H   special exception on linking described in the file LICENSE.          LOOLO@	H                                                                        MM@	H************************************************************************NN5@	** Function manipulation.

    @since 4.08 >* {1:combinators Combinators} Z	F* [id] is the identity function. For any argument [x], [id x] is [x]. %	m* [const c] is a function that always returns the value [c]. For any
    argument [x], [(const c) x] is [c]. 砠	* [flip f] reverses the argument order of the binary function
    [f]. For any arguments [x] and [y], [(flip f) x y] is [f y x]. ~	u* [negate p] is the negation of the predicate function [p]. For any
    argument [x], [(negate p) x] is [not (p x)]. '	#* {1:exception Exception handling} 
  * [protect ~finally work] invokes [work ()] and then [finally ()]
    before [work ()] returns with its value or an exception. In the
    latter case the exception is re-raised after [finally ()]. If
    [finally ()] raises an exception, then the exception
    {!Finally_raised} is raised instead.

    [protect] can be used to enforce local invariants whether [work ()]
    returns normally or raises an exception. However, it does not
    protect against unexpected exceptions raised inside [finally ()]
    such as {!Stdlib.Out_of_memory}, {!Stdlib.Stack_overflow}, or
    asynchronous exceptions raised by signal handlers
    (e.g. {!Sys.Break}).

    Note: It is a {e programming error} if other kinds of exceptions
    are raised by [finally], as any exception raised in [work ()] will
    be lost in the event of a {!Finally_raised} exception. Therefore,
    one should make sure to handle those inside the finally. 
  0* [Finally_raised exn] is raised by [protect ~finally work] when
    [finally] raises an exception [exn]. This exception denotes either
    an unexpected exception or a programming error. As a general rule,
    one should not catch a [Finally_raised] exception except as part of
    a catch-all handler. @  D )../ocamlc0-strict-sequence(-absname"-w8+a-4-9-41-42-44-45-48-70"-g+-warn-error"+A*-bin-annot)-nostdlib*-principal,-safe-string/-strict-formats"-o/stdlib__Fun.cmi"-c(./stdlib @0DԭCP
!  0 @@@8CamlinternalFormatBasics0ĵ'(jdǠ&Stdlib0-&fºnr39tߠ0Wk9H\@0Wk9H\A                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      ELF          >                             @     @ 0 /          GNU Ae'	y        Linux                Linux   6.1.0-35-amd64      SH   @   E1j E1      H    Zt[    H    xHS u倻C  vH1[        SH   HC u	C  wH    H    1[       H    yfD      USH   HEu[]    HHH      eH    H{pHǃ       H       H[]    f    AU    H    ATIUSH_0HGpHLX    H  HH    HHH@     F      HH  L    H    I$   LHHHC  H   H    HhC  HpC  HpC  HǃC      HxC  Hǃ`C          Ņ   H`C  HߋpH  H     H߉H`C  pH  H     	>  D  H`C  A
   A  H߹      pT@      tzKH    ŅuH    ŅtmH    I|$pIǄ$       H       H    []A\A]    H  H    H        TH    ŅyH    Ņu[]A\A]             SHH    t[    H[             USH_PHkcH       H       H       H} H      H[]    ff.          AWH@  IAVHAUATAUiS1ۃHHT$HD$    fDd$	kD9~dE@  I@  Hc)A9ANLcHD$LH    D$B#LAV@   f   DM@  E    ZyH|$H[]A\A]A^A_    @     ATL@  USHL    Hߺ   c       L    []A\    f.         AVL@  AUAATAUHLS    DH   c       DH@   !þf   D	A    L    []A\A]A^    ff.          AUL@  ATAUSHL    HE@   f       L[]A\A]    f         AUAATIUSH    kp   H    H߉(SpB)Ѝp    ŅxVKpI$  A  H   Hx@1A   E1APA  XH   	Ɓ       H    []A\A]    ff.          U@   E1A   S1ɾ   Hj     ZÅt	[]    H`C  A
   A  H      pT@          []    ff.         U   1Ҿ  |SH  HHǇ      H@    HssTH    Ņt	[]    1A
      HH`C  A  pT@      tIH    ŅuH    Ņu1ɺ     |HH  H@    K[]    u    H    H    H        H        H  H                                      mt7663u_probe                          @                                                                                                                       cv                       >1                                                       D                                                                      mt7663u ASIC revision: %04x
 Timeout for power on
                                                                                                                                      license=Dual BSD/GPL author=Lorenzo Bianconi <lorenzo@kernel.org> author=Sean Wang <sean.wang@mediatek.com> firmware=mediatek/mt7663pr2h_rebb.bin firmware=mediatek/mt7663_n9_rebb.bin firmware=mediatek/mt7663pr2h.bin firmware=mediatek/mt7663_n9_v3.bin alias=usb:v043Ep310Cd*dc*dsc*dp*icFFiscFFipFFin* alias=usb:v0E8Dp7663d*dc*dsc*dp*icFFiscFFipFFin* depends=mt7615-common,mt7663-usb-sdio-common,mt76-usb,usbcore,mt76,mac80211,mt76-connac-lib retpoline=Y intree=Y name=mt7663u vermagic=6.1.0-35-amd64 SMP preempt mod_unload modversions   drivers/net/wireless/mediatek/mt76/mt7615/usb.c                                                                                                                                                              (                 (                 (                                                                       (    0  8  P  X  P  8  0  (                                                                         (  0  (                                        (                                                          (                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    G    mt7615_sta_ps                                           ev    mt7663_usb_sdio_tx_status_data                          :(ΐ    __mt76u_vendor_request                                      mt7663_usb_sdio_reg_map                                     mt7615_mcu_parse_response                               t]    __mt76u_init                                            5	    consume_skb                                             i    ___mt76u_wr                                             S    __mt7663_load_firmware                                  zHF    usb_register_driver                                     t    mt7663_usb_sdio_tx_complete_skb                         8߬i    memcpy                                                  ܐ    timer_delete_sync                                       Ŵ    mt76u_resume_rx                                         
HC    mt7615_mac_sta_add                                      4    __dynamic_dev_dbg                                       m    __fentry__                                              ฌ    mt76_alloc_device                                       pHe    __x86_indirect_thunk_rax                                -{    mt7663_usb_sdio_register_device                         j    usb_put_dev                                             y    usb_bulk_msg                                            :    usb_reset_device                                        Gx    usb_get_dev                                             B    mt76u_alloc_mcu_queue                                       mt76_free_device                                        EH    mt7615_mac_sta_remove                                   A7    mt76u_queues_deinit                                     &#    devm_kmemdup                                            GB    mt7615_init_work                                        Ë    _dev_err                                                KM    mutex_lock                                              8    skb_push                                                m@    usb_deregister                                          o_4F    mt7615_ops                                              9[    __x86_return_thunk                                      :7y    mt76u_read_copy                                         s?    mt7615_queue_rx_skb                                     d(    mt7615_mcu_fill_msg                                     82    mutex_unlock                                            J    cancel_delayed_work_sync                                Qi9    mt76u_alloc_queues                                      #6    mt76u_stop_tx                                           ZZ    ieee80211_unregister_hw                                 (    mt76u_vendor_request                                    }ߙ    ____mt76_poll_msec                                      -    cancel_work_sync                                            mt7615_mcu_restart                                      D9^    mt7663_usb_sdio_tx_prepare_skb                              mt76u_stop_rx                                           F    mt76_skb_adjust_pad                                     5km    ___mt76u_rr                                             {_    mt7615_update_channel                                    P    mt76_connac_mcu_set_hif_suspend                         AA    mt7615_rx_check                                         e:X    module_layout                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               mt7663u                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                  GCC: (Debian 12.2.0-14+deb12u1) 12.2.0  GCC: (Debian 12.2.0-14+deb12u1) 12.2.0  GCC: (Debian 12.2.0-14+deb12u1) 12.2.0         f  f  D         
t             :    8          
; ; 
      ;        T       ]        ;    0   ;    @       P   $    X   4    `   _    h   o    p       x   .       t`             
= ;      '  *      ]  `   @   <      u        <      <                D @   -  F    #  H      J      L @   L   *< L   4< L    { C @  t  %    | ?   ?< @   G<    @ U<    A j<    B <    C       
            C        >        B       
                E       
                   k          G       
                     I       
               K <        <      < $       < $        $      - $      G        <   
   p  $       x @6     ,  @6  (   ;  @6  H   <   6   ,  $       < $      ws  Q               O       =      	 $       *= $      6= $      D=      [=     r=    =    =    =    =    =   	   > $       > Vq    >      ֡         
         1>      ?>     [>    w>    >      >     >    >    >      ?     &?    @?    _?    }?    ?    ?      ?     ?    ?    @      +@     F@    _@    v@      @     @    @      @     @    A    A      8A     QA    lA    A    A    A      A     A    B    B    +B    ?B      $ K       TB $      \B $      oB $      zB $       B   (   B   h   B       $         K      I K            <     *       B        H  p   B H     B Y   B V   B W   B   h  - d            
b            a       B     C K       C $      ֡  -   @   
 [     $      w $      C [    !C [    (C [    .C \    :C b @  FC       +      ZC *   @   eC g               e        nC 
  H   ; ҅     ##  -   @   zC -      C -      C -      C -   @  C -     C -     C *      j #      C        $       	 $        &      C $       I $   (   B $   0   C $   8   C $   @   C $   H   C $   P   C $   X    D        $       D $       &      D   0   C *       2D *       @D *   @   L *   `    *      PD *      ZD *      dD *       *      Q *      = *   @  oD *   `  yD   X   C *       D -   @   D -      D -      D -      D k @  D -     C -       D *   @   D *   `   D -      H -      Q -      D &   @  Z &   P  D $   `    #   h  	E #   p  E $   x  E n   (E n   9E i   @E i    2 *     = *     GE *     RE *     \E *      lE j    vE U @  T       E +    E Q      E *   @  E ,     E X   E X   E X    E *      E -   @  E -     F -     
F $      "F $     4F o @  ;F #     FF #     UF &     dF *     rF *     F *     F $                 #                l F      N  (       F *       F      *       F *       F s @          
q            p        F      
G -       G 	  @   >
 K   p   #G      =G *       HG *       o 	  @   TG K   p   fG K   x   wG K      G                @    *   `         +       Q      x &   @  G K   P    *   `  w7
     G 
  @   	    F 	    o 	    0  @        3  t   G K   @  G K   H  G K   P  G *   `  G w   g           u G       H +      H +  @   H +     H *      H $      #H $      +H      =H $       
 $      IH         +      &  $   @   bH   p   *  ]     tH 	      H $   P   H K   X   H K   `   H K   h   H $   p   H $   x   H م    Y *      H +     H $   @  I K   H  I +    I $      I $     +I     4I    @  F }   AI }   LI $      [I $     jI $     P -   @         
{        z vI 
  0   C *       I *       I *   @   I *   `   I *      I *      I -      I *      I *      J *   @  &J      EJ ^     NJ &        $   0   $   1   $   2   $   3   $   4   $   5  [J $   6  hJ $   8   wJ $   @   J $   H   J $   P   J $   X   J   8   >  	       օ @   = $   @ ^  `  J 	  8   P -        k   @   J *      J *      N  *       	     F 	    ]  `   @                                 m        օ        c        h        x        y        ~                f J      K     K    $K    4K    DK      ^K &       	 &      	 &       cK $   0   hK K   8   lK K   @   rK K   H   zK R P          
 K      K        K        K    @   K    `   K   H   : օ     L օ    L $      (L $     :L K     HL    @  QL      oL     L    L              L  @   G0     G     L     *       3  @   L    L      &     L &     >  	    L K     L $     M (       @    *     
M *     M K     &M K     :M      HL    @           HM @    o +          @   >  	  `   [M $      rM K      ~M $      M &      M K      M K      M K      M K      M K      M K      M K      N K      N K      D $     N &     *N &      ;N -   @  DN *     SN $     + *     cN Ӆ    c   @  oN &      N (      N *   @  N (   `  N (      օ   N    v  K     N K     Ǹ      N Z   N P   N K     N &     O K     O K     +O    7O K      FO 	    XO $   8  dO $   @  tO K   H  {O $   P  O  `  O _   O ` H	  O  `	  O *   	  O b 	  O S    O     P $   `  P $   h   P K   p  ,P K   x  7P K     EP    RP K      fP $                     yP      P     P    P    P    P      P     P    P             Q      *Q     5Q    AQ    QQ    aQ      }Q     Q    Q    Q                     &   @   Q            VW &   @   w &   P   Q      >  	      Q &   0   Q &   @   Q K   P   Q $   X   R $   `   w7
 Ĉ    R K      R K       K      &R K      *R $      2H ň    >R K   @   ƈ    &     MR È   ?v  ǈ @
  HL                        UR      ZR      _R      bR      *          @          
 rR      R            @   R       R +      R +  @   R Q      R Q      R       *        *                G *       R &                          T       R 
     
S _       0 *   @    $   `   S $   h   S $   p   "S #   x     &       #      `C $                      )S   p   <S      &     @S +     KS Q   @             +                   Q         YS      mS     S    S    S    S    S 
  @     *       S        S    @   
T &   `   T $   p   ,T $   x   DT $       օ    :L K     ]T    gT   8   zT  -       T *   @   T K   `    օ    p  $      *     T   P    K       T K      T K      O  K      Q &       T   @   T       4        Q      j K   @  1 K   H  Ӹ 	  P                    T               @   VW $      G $      HL                        T *       T &                 	               %:          $               T      T      U      U      U             U               +U      7U     ?U    KU      _U     vU    U    U    U    U      U     U    V    )V    AV             S #       p  $      YV $      cV $        &       mV   (   2  g                              V      N  %       *  Z     V   $   V &       V &      V b      V 
     >  	       $   0   ]T  @   V   `   -x Å     ą    Ņ `       ʅ (  V    W $     7
     W                                                  Ȉ              È W      W     .W    ?W            TW 7     gW     W    W    W    W    W    "X    =X    \X    uX 	   X 
   X    X    X 
   Y    $Y    CY    fY    Y    Y    Y    Y    Y    Z    ?Z    _Z    Z    Z    Z    Z    [    '[    E[     h[ !   [ "   [ #   [ $   [ %   [ &   \ '   7\ (   \\ )   \ *   \ +   \ ,   \ -    ] .   "] /   L] 0   q] 1   ] 2   ] 3   ] 4   ^ 5   1^ 6            H^        ٮ %       R^ !     %T      0     _^    @  Z  k           v^       ^       ^    @  ^    `  ^      ^       &     ^ &     ^ #     ^ $     _ $     _ $     Q &      #_ &     @_ $      Q_ $   (  h_ $   0  }_ &   @  _ ̈ `  _     Q $      _ $     _ $     _ $     _ $      "  *   @  _ Έ   ` $            } #`     <S      ] v   :` 	  0           @   V` $        *      zT  *      b` &      n` &      }`      ` *   @  `      `     `    `    `    a    3a    Va    ua       Q  ш       @   VW &      w &      '= &      (C K      N  &      a      a     a    a      a     b    .b      Fb     fb    b      x &         &      <
 $      b r    ɂ ܈     L  ވ @                 ވ    b  @  b    b    b     L  @  b    b    c     c  @  "c    *c    <c     Mc  @  ac    ic    qc      c  @  c    c    c     c 
 @  c    c    c     |  @  c    d    d     0d  @  8d    Cd    Nd   	  \d  @	  fd  	  yd  	  d   
  d  @
  d ! 
  d # 
  d     d % @  d    d ވ   d (    d * @  d    
e ,   ^  .  
  e 1 @
  ,e 3 
  8e 5 
  De 7    Ve  @   3    9   oe ;    e = @  e @   e B   e B    e D @  e F   e H   e K    f K @  f    6f M   Bf O    Qf Q @  `f S   sf U   f X    f Z @  f \   f ^   f `    f  @  f    g 1   )g     3g  @  >g b   Vg d   bg f    vg  @  g i   g k   g     g m @  g    g o   g r    g t @  h v   h x   3h z    >h | @  Ih ~   Xh    ih     |h  @  h    h    h     h  @  h    h    h     
i  @         
׈       
        ڈ     ۈ              ͈        ʈ        و       
       ڈ        ݈       
        ڈ        ߈       
       ڈ                    
        ڈ     K                 
       ڈ                    
       ڈ               K                 
        ڈ                    
       ڈ     *                 
        ڈ               -                 
        ڈ          -                 
       ڈ                         
        ڈ                         
-       ڈ                    
        ڈ                   -                 
        ڈ                                  
       ڈ          K                 
       ڈ                                   
        ڈ                    *       '                
        ڈ                         
        ڈ                           
       ڈ                  ψ               
       ڈ               	                       
        ڈ          +                
       ڈ                     
       
        ڈ                                 
       ڈ                         
        ڈ          Ɉ                    
       ڈ                                   
        ڈ                         
        ڈ               *                 
        ڈ                              
       ڈ                 &                               
-       ڈ             "       
        ڈ          ,          $       
       ڈ          '        ҈        &       
       ڈ                    )       
        ڈ     %          +       
        ڈ          *       K          -       
        ڈ          0                /       
       ڈ     *       *          2       
       ڈ                      4       
       ڈ          ҅            Ԉ        6       
        ڈ                                    8       
K       ڈ        :       
       ڈ                  <       
        ڈ          ?                >       
        ڈ          &              ӈ     K          A       
       ڈ                    C       
        ڈ          H5               E       
        ڈ          *                 G       
        ڈ          J        ֈ        I       
       ڈ             L       
        ڈ             N       
        ڈ          *          P       
       ڈ                       R       
        ڈ                       T       
       ڈ     W                            V       
        ڈ     Ո        Y       
        ڈ          
         [       
        ڈ                  ]       
       ڈ          0        _       
*       ڈ             a       
       ڈ                    c       
       ڈ               $                  *          e       
        ڈ          h        Ј        g       
        ڈ             j       
       ڈ                  l       
       ڈ               *          n       
       ڈ          q        |        p       
        ڈ          $          s       
K       ڈ                    u       
       ڈ                  w       
       ڈ                  y       
        ڈ                  {       
       ڈ                       }       
       ڈ               $                 
        ڈ               K                 
       ڈ             r               
        ڈ                  N               
        ڈ          $                 
       ڈ                    
       ڈ               
      
                
       ڈ          &       &                              
       ڈ               &       &           i      uT         #   @   W              
                         *i      =i     Qi    di    wi    i    i    i    i    i    j 	   j 
   7j    Qj    kj 
   j    j    j    j    j    j    k    *k    >k    Sk    ik    k    k    k      S *       A  *              
 k      k     k    k    k   @   A      <  @   k     k     l     l  @  l    *            
       
*            *           l <  A        	 "     ڈ @  '  *    #l *    +l *     9l     Il *     Vl *     %  G      #    $    cl % @  "           kl     ol &   "  xl &   n   *     z
 & @  l ' @ l `   @$ l ( $ l ) % l * ? l   ? l  @@ l 5c   A l *  M r,   M l &   N l &   N  &   N l D  N h *  O l [  O m [  Q m -    T m ։ @T  + @h $m `   @ Z  *    .m     9m r    N    @ Jm $   ` 0 H   Vm H    Zm 
   =        em *   @  YX   qm      zm K     m $    m $    m *     %  S  @     !                
             *       *                 
*            *       *       *                 
             *       l                        
             *       k                        
            *                                     
            *                               m      m     m    m    m    m    m    m    m    n      n     n    'n    4n    Bn 	     Nn     Zn    en    sn    n    n    n    n    n    n      n     n    n    n    n      o     #o    9o    Jo    ^o      >  W       &  &   @   mo K   P   xo     d[                 @  3  *   `                              d[  k                       o      	              o       ]  `       -  W                    o                     @   -  !     o V      &      o K     o K     %  K     o      o *       U  *       o *   @   o *   `   o   h   A       '  *  @   o *  `   %      ws        &      G%  &     ~  &      R    @  4    `  '=      W  K     &  K     	p $     S $       $     p *     p W      &p   @  .p G,                    6p                @p 
  H    *       Mp *       Vp Ɖ @   cp ȉ    tp ʉ    p     p  @  p    p    p ̉           
É       
                   l              K          ŉ       
                                   ǉ       
                                   ɉ       
               ˉ p 
  P   %  Љ     .  Ӊ @   p ׉    p ى     ۉ    p ݉ @  p ߉   p    k     q  @         
͉       
            8c         ω       
            ҉                          *                  щ       
            ҉                Չ             ։ 	q     q      q ]           @  UR    (q       i   S &   @  S $   P  7q $   X   $   ` (C $   a Cq $   b Kq $   h  Wq  p  0 &     aq *     iq K     ]  `    	  oq   	  
   @
         ԉ       
            ҉           *          ؉       
k            ҉     K                              ډ       
                     ܉       
             ҉     K          މ       
             ҉         uq 
     q     q    q    q    q    q    q 	   q 
   r    !r    6r   8  Er       Mr      Sr      Zr      Q -    	  = *   @	  GE *   `	  RE *   	  ar      `                                  mr      2  g       "      '  *     kb
 R     G%  &       &     yr &     b  $     W $    W  $     $    r                $      f                                r     r    r    r    r    r    s    s    's    2s 	   As 
   Ns    as    vs 
   s    s    s      s K       s K      s K      s   h   s *       s *       s &   @    &   P   s $   `   t     t     %t     5t  @  Dt    l    Mt ݉    ^t  @  0d     et    8d            
       
                 ot   0    ڈ     "   @   Z  k      W        xt $      t  @   օ    t ҅    t  @  
    t H    p      t  @  t    t  @  t 	    t       t $      t &   0  t R  @  t $      u  @  u   @                
            k            Չ                                 
                            
K                             
K            k                        
                                  
                  K                 
                                
                           u   0   %u -       /u -   @   7u -      =u -      Gu -      j #   @  Mu   p   Xu х     H  @                0   ^u n     bu Vq     gu  `   C  Yq    lu  0             #      
         0            Ȼ  	                #      0   pu   0            u      u    u    u    u    u    u 	   u B   v F   v G   .v c   ?v f   Qv    ev      qv     v    v    v      v     v    v    v    v    w    w    #w   X   %  G      ,w *      N        4w   @  %  D     :w               	
  @   Dw       D  *      Kw 
     Tw G              Qg  &   @  aw    ow  @  yw Q     w 	     w   0  w K   @  kl             w        w        w    @   w    `          w      w      aw     w    w  @          w *   @  @     	x k     ,z $      %  D  @  {
     x    x                      
                     'x                2x      A  k       G *  @   <x *   `   Dx M              Չ     Hx &       Qx   0            `x *   @   mx *   `   zT  *      O? 	     Cq $     q $     wx $       &      L &       *      x $      3h  $   ( I $   * x $   - B $   0 C $   2 (C $   3 x $   4 x $   5 x $   8  C $   @  J $   H    #   P  E $   X  E n `  x      F       N  #   @            G%        ~  	  @    &                 ҉                                                0<      
                                               ĉ            5c                                      ҉                                Ή            Չ                x     x    x    x    x    y    y    )y     9y    Jy    \y              Չ        @            '  *      p  *             (   ny        ~y    @   y       y       y       y   8  $ K      y K     y K     y K     7 K     y *      y 1 @   y Q  @  %  D  @  
 .    %  G  @  y R  @  y       ǯ    @  
  /              -       
z   x          !  R     y      "z      2z     Bz    Mz    ^z    nz    zz    z    z    z    z 	   z 
   z    z    z 
   z    z    {    {    !{    -{    ?{    S{    d{    w{    {    {      {     {    {    {    {       { *       { *       | *   @   
| *   `   | *      &|       /|   H  :|      "  8 @   ?|     K| $      m *      X| -      j &   @  b| K   P  i|      v|      |      | #      | #      %     | $      | $   (  | $   0  | *   @  mx *   `    5   |     | R  @  | Q     | I     } D  @	  } K    
  }    F      J     %} #   -} r  @  6  X| -    t &     (  L @ cl M  9} K   B}     J} Q  @ S} Q  @ ^} D  @ i} *     u} `   @ } *   } K  } *   @ } K   ` } K   h } K   p y $   x } Q   } `     } *    ! } *    ! } *   @! Җ  0 ! O  2 @+        7 ~ 
  P   ~ <      ~ < @   0d ?    *~ A    7~ ?    D~ C @  W~ E   d~ G   q~ G    }~ I @         
9       
       8     '     K          ;       
       >               K          6        =       
       >          K          @       
       8     ڈ          K          B       
       8                      D       
       8        F       
       8                  H       A  :|      ~               ~ $         *       rN &   @   N  %   P          ׈        :            +                
N          ~    ~               >              
Q        A                ؈         ~       ~    x         
     ~    Y       
     W    ~    [       
          ]       
     [   C $    _ 2            
      ڈ D    b       
    "   "  *     l   &     Q    d       
*   "   >  *   ֡  *     *   ^    f       
    "   >  *     *   j    h       
*   "   >  *   u    j                                      .    ?    O    b          
   "  8 y    m     m       
            %:         p usb_device_id match_flags bcdDevice_lo bcdDevice_hi usb_dynids usbdrv_wrap for_devices usb_driver pre_reset post_reset drvwrap no_dynamic_id supports_autosuspend disable_hub_initiated_lpm soft_unbind mtk_wed_device ieee80211_twt_setup dialog_token element_id ieee80211_p2p_noa_desc ieee80211_p2p_noa_attr oppps_ctwindow ieee80211_he_mu_edca_param_ac_rec ecw_min_max mu_edca_timer ieee80211_ap_reg_power IEEE80211_REG_UNSET_AP IEEE80211_REG_LPI_AP IEEE80211_REG_SP_AP IEEE80211_REG_VLP_AP IEEE80211_REG_AP_POWER_AFTER_LAST IEEE80211_REG_AP_POWER_MAX ieee80211_tx_pwr_env tx_power_info tx_power nl80211_sta_flag_update nl80211_he_gi NL80211_RATE_INFO_HE_GI_0_8 NL80211_RATE_INFO_HE_GI_1_6 NL80211_RATE_INFO_HE_GI_3_2 nl80211_he_ltf NL80211_RATE_INFO_HE_1XLTF NL80211_RATE_INFO_HE_2XLTF NL80211_RATE_INFO_HE_4XLTF nl80211_mesh_power_mode NL80211_MESH_POWER_UNKNOWN NL80211_MESH_POWER_ACTIVE NL80211_MESH_POWER_LIGHT_SLEEP NL80211_MESH_POWER_DEEP_SLEEP __NL80211_MESH_POWER_AFTER_LAST NL80211_MESH_POWER_MAX nl80211_txrate_gi NL80211_TXRATE_DEFAULT_GI NL80211_TXRATE_FORCE_SGI NL80211_TXRATE_FORCE_LGI nl80211_tx_power_setting NL80211_TX_POWER_AUTOMATIC NL80211_TX_POWER_LIMITED NL80211_TX_POWER_FIXED nl80211_tid_config NL80211_TID_CONFIG_ENABLE NL80211_TID_CONFIG_DISABLE nl80211_tx_rate_setting NL80211_TX_RATE_AUTOMATIC NL80211_TX_RATE_LIMITED NL80211_TX_RATE_FIXED nl80211_nan_function_type NL80211_NAN_FUNC_PUBLISH NL80211_NAN_FUNC_SUBSCRIBE NL80211_NAN_FUNC_FOLLOW_UP __NL80211_NAN_FUNC_TYPE_AFTER_LAST NL80211_NAN_FUNC_MAX_TYPE nl80211_preamble NL80211_PREAMBLE_LEGACY NL80211_PREAMBLE_HT NL80211_PREAMBLE_VHT NL80211_PREAMBLE_DMG NL80211_PREAMBLE_HE ieee80211_he_obss_pd sr_ctrl non_srg_max_offset min_offset max_offset bss_color_bitmap partial_bssid_bitmap cfg80211_he_bss_color ht_mcs he_mcs gi he_gi he_ltf cfg80211_bitrate_mask cfg80211_tid_cfg config_override tids ampdu rtscts amsdu txrate_type txrate_mask cfg80211_tid_config n_tid_conf tid_conf survey_info time_busy time_ext_busy time_rx time_tx time_scan time_bss_rx filled rate_info nss he_dcm he_ru_alloc n_bonded_ch eht_gi eht_ru_alloc sta_bss_parameters dtim_period cfg80211_txq_stats backlog_bytes backlog_packets ecn_marks overlimit overmemory max_flows cfg80211_tid_stats rx_msdu tx_msdu tx_msdu_retries tx_msdu_failed txq_stats station_info connected_time inactive_time assoc_at llid plink_state signal_avg chains chain_signal chain_signal_avg txrate rxrate tx_retries tx_failed rx_dropped_misc bss_param sta_flags assoc_req_ies assoc_req_ies_len beacon_loss_count t_offset local_pm peer_pm nonpeer_pm expected_throughput tx_duration rx_duration rx_beacon rx_beacon_signal_avg connected_to_gate pertid ack_signal avg_ack_signal airtime_weight rx_mpdu_count fcs_err_count airtime_link_metric connected_to_as cfg80211_sar_sub_specs freq_range_index cfg80211_sar_specs num_sub_specs sub_specs cfg80211_scan_info scan_start_tsf tsf_bssid cfg80211_scan_6ghz_params short_ssid channel_idx unsolicited_probe short_ssid_valid psc_no_listen cfg80211_scan_request duration_mandatory wdev notified no_cck scan_6ghz n_6ghz_params scan_6ghz_params cfg80211_gtk_rekey_data kek kck replay_ctr akm kek_len kck_len cfg80211_nan_conf master_pref cfg80211_nan_func_filter cfg80211_nan_func service_id publish_type close_range publish_bcast subscribe_active followup_id followup_reqid followup_dest serv_spec_info serv_spec_info_len srf_include srf_bf srf_bf_len srf_bf_idx srf_macs srf_num_macs tx_filters num_tx_filters num_rx_filters instance_id cfg80211_ftm_responder_stats success_num partial_num failed_num asap_num non_asap_num total_duration_ms unknown_triggers_num reschedule_requests_num out_of_window_triggers_num cfg80211_pmsr_ftm_request_peer preamble burst_period lmr_feedback num_bursts_exp burst_duration ftms_per_burst ftmr_retries bss_color cfg80211_pmsr_request_peer cfg80211_pmsr_request n_peers nl_portid ieee80211_ac_numbers IEEE80211_AC_VO IEEE80211_AC_VI IEEE80211_AC_BE IEEE80211_AC_BK ieee80211_tx_queue_params txop aifs acm uapsd mu_edca mu_edca_param_rec ieee80211_low_level_stats dot11ACKFailureCount dot11RTSFailureCount dot11FCSErrorCount dot11RTSSuccessCount ieee80211_chanctx_conf min_def rx_chains_static rx_chains_dynamic radar_enabled drv_priv ieee80211_chanctx_switch_mode CHANCTX_SWMODE_REASSIGN_VIF CHANCTX_SWMODE_SWAP_CONTEXTS ieee80211_vif_chanctx_switch link_conf ieee80211_vif bss_conf active_links p2p cab_queue hw_queue offload_flags probe_req_reg rx_mcast_action_reg mbssid_tx_vif ieee80211_bss_conf htc_trig_based_pkt_ext uora_exists uora_ocw_range frame_time_rts_th he_support twt_requester twt_responder twt_protected twt_broadcast use_cts_prot use_short_preamble use_short_slot enable_beacon beacon_int assoc_capability sync_tsf sync_device_ts sync_dtim_count beacon_rate ht_operation_mode cqm_rssi_thold cqm_rssi_hyst cqm_rssi_low cqm_rssi_high mu_group hidden_ssid txpower_type p2p_noa_attr allow_p2p_go_ps max_idle_period protected_keep_alive ftm_responder ftmr_params nontransmitted transmitter_bssid bssid_index bssid_indicator ema_ap profile_periodicity he_oper he_obss_pd he_bss_color fils_discovery unsol_bcast_probe_resp_interval beacon_tx_rate power_type tx_pwr_env tx_pwr_env_num pwr_reduction eht_support csa_active mu_mimo_owner chanctx_conf color_change_active color_change_color ieee80211_event_type RSSI_EVENT MLME_EVENT BAR_RX_EVENT BA_FRAME_TIMEOUT ieee80211_rssi_event_data RSSI_EVENT_HIGH RSSI_EVENT_LOW ieee80211_rssi_event ieee80211_mlme_event_data AUTH_EVENT ASSOC_EVENT DEAUTH_RX_EVENT DEAUTH_TX_EVENT ieee80211_mlme_event_status MLME_SUCCESS MLME_DENIED MLME_TIMEOUT ieee80211_mlme_event ieee80211_ba_event ieee80211_sta aid max_rx_aggregation_subframes wme uapsd_queues max_sp tdls tdls_initiator mlo max_amsdu_subframes support_p2p_ps deflink rssi mlme ba ieee80211_event ieee80211_mu_group_data membership ieee80211_ftm_responder_params lci civicloc lci_len civicloc_len ieee80211_fils_discovery nss_set ieee80211_key_conf tx_pn iv_len hw_key_idx keyidx ieee80211_scan_ies ies common_ies common_ie_len ieee80211_smps_mode IEEE80211_SMPS_AUTOMATIC IEEE80211_SMPS_OFF IEEE80211_SMPS_STATIC IEEE80211_SMPS_DYNAMIC IEEE80211_SMPS_NUM_MODES ieee80211_conf power_level dynamic_ps_timeout listen_interval ps_dtim_period long_frame_max_tx_count short_frame_max_tx_count smps_mode ieee80211_channel_switch device_timestamp block_tx ieee80211_vif_cfg ibss_joined ibss_creator arp_addr_list arp_addr_cnt ieee80211_txq iv32 iv16 tkip ccmp aes_cmac aes_gmac gcmp ieee80211_key_seq set_key_cmd SET_KEY DISABLE_KEY ieee80211_sta_state IEEE80211_STA_NOTEXIST IEEE80211_STA_NONE IEEE80211_STA_AUTH IEEE80211_STA_ASSOC IEEE80211_STA_AUTHORIZED ieee80211_sta_rx_bandwidth IEEE80211_STA_RX_BW_20 IEEE80211_STA_RX_BW_40 IEEE80211_STA_RX_BW_80 IEEE80211_STA_RX_BW_160 IEEE80211_STA_RX_BW_320 count_cts count_rts ieee80211_sta_rates ieee80211_sta_txpwr ieee80211_sta_aggregates max_amsdu_len max_rc_amsdu_len max_tid_amsdu_len ieee80211_link_sta supp_rates agg rx_nss txpwr sta_notify_cmd STA_NOTIFY_SLEEP STA_NOTIFY_AWAKE ieee80211_tx_control ieee80211_hw_flags IEEE80211_HW_HAS_RATE_CONTROL IEEE80211_HW_RX_INCLUDES_FCS IEEE80211_HW_HOST_BROADCAST_PS_BUFFERING IEEE80211_HW_SIGNAL_UNSPEC IEEE80211_HW_SIGNAL_DBM IEEE80211_HW_NEED_DTIM_BEFORE_ASSOC IEEE80211_HW_SPECTRUM_MGMT IEEE80211_HW_AMPDU_AGGREGATION IEEE80211_HW_SUPPORTS_PS IEEE80211_HW_PS_NULLFUNC_STACK IEEE80211_HW_SUPPORTS_DYNAMIC_PS IEEE80211_HW_MFP_CAPABLE IEEE80211_HW_WANT_MONITOR_VIF IEEE80211_HW_NO_AUTO_VIF IEEE80211_HW_SW_CRYPTO_CONTROL IEEE80211_HW_SUPPORT_FAST_XMIT IEEE80211_HW_REPORTS_TX_ACK_STATUS IEEE80211_HW_CONNECTION_MONITOR IEEE80211_HW_QUEUE_CONTROL IEEE80211_HW_SUPPORTS_PER_STA_GTK IEEE80211_HW_AP_LINK_PS IEEE80211_HW_TX_AMPDU_SETUP_IN_HW IEEE80211_HW_SUPPORTS_RC_TABLE IEEE80211_HW_P2P_DEV_ADDR_FOR_INTF IEEE80211_HW_TIMING_BEACON_ONLY IEEE80211_HW_SUPPORTS_HT_CCK_RATES IEEE80211_HW_CHANCTX_STA_CSA IEEE80211_HW_SUPPORTS_CLONED_SKBS IEEE80211_HW_SINGLE_SCAN_ON_ALL_BANDS IEEE80211_HW_TDLS_WIDER_BW IEEE80211_HW_SUPPORTS_AMSDU_IN_AMPDU IEEE80211_HW_BEACON_TX_STATUS IEEE80211_HW_NEEDS_UNIQUE_STA_ADDR IEEE80211_HW_SUPPORTS_REORDERING_BUFFER IEEE80211_HW_USES_RSS IEEE80211_HW_TX_AMSDU IEEE80211_HW_TX_FRAG_LIST IEEE80211_HW_REPORTS_LOW_ACK IEEE80211_HW_SUPPORTS_TX_FRAG IEEE80211_HW_SUPPORTS_TDLS_BUFFER_STA IEEE80211_HW_DEAUTH_NEED_MGD_TX_PREP IEEE80211_HW_DOESNT_SUPPORT_QOS_NDP IEEE80211_HW_BUFF_MMPDU_TXQ IEEE80211_HW_SUPPORTS_VHT_EXT_NSS_BW IEEE80211_HW_STA_MMPDU_TXQ IEEE80211_HW_TX_STATUS_NO_AMPDU_LEN IEEE80211_HW_SUPPORTS_MULTI_BSSID IEEE80211_HW_SUPPORTS_ONLY_HE_MULTI_BSSID IEEE80211_HW_AMPDU_KEYBORDER_SUPPORT IEEE80211_HW_SUPPORTS_TX_ENCAP_OFFLOAD IEEE80211_HW_SUPPORTS_RX_DECAP_OFFLOAD IEEE80211_HW_SUPPORTS_CONC_MON_RX_DECAP IEEE80211_HW_DETECTS_COLOR_COLLISION IEEE80211_HW_MLO_MCAST_MULTI_LINK_TX NUM_IEEE80211_HW_FLAGS units_pos ieee80211_hw rate_control_algorithm extra_tx_headroom extra_beacon_tailroom vif_data_size sta_data_size chanctx_data_size txq_data_size max_listen_interval max_signal max_rates max_report_rates max_rate_tries max_tx_aggregation_subframes max_tx_fragments offchannel_tx_hw_queue radiotap_mcs_details radiotap_vht_details radiotap_timestamp netdev_features uapsd_max_sp_len max_nan_de_entries tx_sk_pacing_shift weight_multiplier tx_power_levels max_txpwr_levels_idx ieee80211_scan_request ieee80211_tdls_ch_sw_params action_code switch_time switch_timeout tmpl_skb ch_sw_tm_ie ieee80211_ampdu_mlme_action IEEE80211_AMPDU_RX_START IEEE80211_AMPDU_RX_STOP IEEE80211_AMPDU_TX_START IEEE80211_AMPDU_TX_STOP_CONT IEEE80211_AMPDU_TX_STOP_FLUSH IEEE80211_AMPDU_TX_STOP_FLUSH_CONT IEEE80211_AMPDU_TX_OPERATIONAL ieee80211_ampdu_params ieee80211_frame_release_type IEEE80211_FRAME_RELEASE_PSPOLL IEEE80211_FRAME_RELEASE_UAPSD ieee80211_roc_type IEEE80211_ROC_TYPE_NORMAL IEEE80211_ROC_TYPE_MGMT_TX ieee80211_reconfig_type IEEE80211_RECONFIG_TYPE_RESTART IEEE80211_RECONFIG_TYPE_SUSPEND ieee80211_prep_tx_info ieee80211_ops set_wakeup add_interface change_interface remove_interface bss_info_changed vif_cfg_changed link_info_changed start_ap stop_ap prepare_multicast configure_filter config_iface_filter set_tim set_key update_tkip_key set_rekey_data set_default_unicast_key hw_scan cancel_hw_scan sched_scan_start sched_scan_stop sw_scan_start sw_scan_complete get_key_seq set_frag_threshold set_rts_threshold sta_add sta_remove sta_notify sta_set_txpwr sta_state sta_pre_rcu_remove sta_rc_update sta_rate_tbl_update sta_statistics conf_tx get_tsf set_tsf offset_tsf reset_tsf tx_last_beacon ampdu_action get_survey rfkill_poll set_coverage_class channel_switch set_antenna get_antenna remain_on_channel cancel_remain_on_channel tx_frames_pending set_bitrate_mask event_callback allow_buffered_frames release_buffered_frames get_et_sset_count get_et_stats get_et_strings mgd_prepare_tx mgd_complete_tx mgd_protect_tdls_discover add_chanctx remove_chanctx change_chanctx assign_vif_chanctx unassign_vif_chanctx switch_vif_chanctx reconfig_complete ipv6_addr_change channel_switch_beacon pre_channel_switch post_channel_switch abort_channel_switch channel_switch_rx_beacon join_ibss leave_ibss get_expected_throughput get_txpower tdls_channel_switch tdls_cancel_channel_switch tdls_recv_channel_switch wake_tx_queue sync_rx_queues start_nan stop_nan nan_change_conf add_nan_func del_nan_func can_aggregate_in_amsdu get_ftm_responder_stats start_pmsr abort_pmsr set_tid_config reset_tid_config update_vif_offload sta_set_4addr set_sar_specs sta_set_decap_offload add_twt_setup twt_teardown_request set_radar_background net_fill_forward_path change_vif_links change_sta_links mt76_worker mt76_testmode_attr MT76_TM_ATTR_UNSPEC MT76_TM_ATTR_RESET MT76_TM_ATTR_STATE MT76_TM_ATTR_MTD_PART MT76_TM_ATTR_MTD_OFFSET MT76_TM_ATTR_TX_COUNT MT76_TM_ATTR_TX_LENGTH MT76_TM_ATTR_TX_RATE_MODE MT76_TM_ATTR_TX_RATE_NSS MT76_TM_ATTR_TX_RATE_IDX MT76_TM_ATTR_TX_RATE_SGI MT76_TM_ATTR_TX_RATE_LDPC MT76_TM_ATTR_TX_RATE_STBC MT76_TM_ATTR_TX_LTF MT76_TM_ATTR_TX_ANTENNA MT76_TM_ATTR_TX_POWER_CONTROL MT76_TM_ATTR_TX_POWER MT76_TM_ATTR_FREQ_OFFSET MT76_TM_ATTR_STATS MT76_TM_ATTR_TX_SPE_IDX MT76_TM_ATTR_TX_DUTY_CYCLE MT76_TM_ATTR_TX_IPG MT76_TM_ATTR_TX_TIME MT76_TM_ATTR_DRV_DATA MT76_TM_ATTR_MAC_ADDRS NUM_MT76_TM_ATTRS MT76_TM_ATTR_MAX mt76_reg_pair mt76_bus_type MT76_BUS_MMIO MT76_BUS_USB MT76_BUS_SDIO mt76_bus_ops rmw write_copy read_copy wr_rp rd_rp mt76_dev cc_lock cur_cc_bss_rx rx_ampdu_status rx_ampdu_len rx_ampdu_ref mcu_ops mcu napi_dev tx_napi_dev rx_skb txwi_cache q_mcu q_rx queue_ops tx_dma_idx tx_worker tx_napi token_lock wed_token_count token_count tx_wait wcid_mask wcid_phy_mask vif_mask global_wcid wcid_list aggr_stats pre_tbtt_tasklet beacon_mask otp rate_power debugfs_reg led_name led_al led_pin csa_complete rxfilter mt76_txq_id MT_TXQ_VO MT_TXQ_VI MT_TXQ_BE MT_TXQ_BK MT_TXQ_PSD MT_TXQ_BEACON MT_TXQ_CAB __MT_TXQ_MAX mt76_mcuq_id MT_MCUQ_WM MT_MCUQ_WA MT_MCUQ_FWDL __MT_MCUQ_MAX mt76_rxq_id MT_RXQ_MAIN MT_RXQ_MCU MT_RXQ_MCU_WA MT_RXQ_BAND1 MT_RXQ_BAND1_WA MT_RXQ_MAIN_WA MT_RXQ_BAND2 MT_RXQ_BAND2_WA __MT_RXQ_MAX mt76_band_id MT_BAND0 MT_BAND1 MT_BAND2 __MT_MAX_BAND mt76_dfs_state MT_DFS_STATE_UNKNOWN MT_DFS_STATE_DISABLED MT_DFS_STATE_CAC MT_DFS_STATE_ACTIVE mt76_queue_buf skip_unmap mt76_tx_info txwi mt76_txwi_cache mt76_queue_entry dma_len skip_buf0 skip_buf1 mt76_queue_regs desc_base cpu_idx dma_idx mt76_queue cleanup_lock buf_offset wed_regs desc_dma rx_head rx_page mt76_desc mt76_mcu_ops tailroom mcu_send_msg mcu_skb_send_msg mcu_parse_response mcu_rr mcu_wr mcu_wr_rp mcu_rd_rp mcu_restart mt76_queue_ops tx_queue_skb tx_queue_skb_raw rx_reset tx_cleanup rx_cleanup reset_q mt76_wcid aggr non_aql_packets inactive_count hw_key_idx2 phy_idx rx_check_pn rx_key_pn tx_info sw_iv pktid mt76_phy_type MT_PHY_TYPE_CCK MT_PHY_TYPE_OFDM MT_PHY_TYPE_HT MT_PHY_TYPE_HT_GF MT_PHY_TYPE_VHT MT_PHY_TYPE_HE_SU MT_PHY_TYPE_HE_EXT_SU MT_PHY_TYPE_HE_TB MT_PHY_TYPE_HE_MU __MT_PHY_TYPE_HE_MAX mt76_sta_stats tx_mode tx_bw tx_nss tx_mcs ewma_signal mt76_rx_tid nframes reorder_buf MT76_STATE_INITIALIZED MT76_STATE_REGISTERED MT76_STATE_RUNNING MT76_STATE_MCU_RUNNING MT76_SCANNING MT76_HW_SCANNING MT76_HW_SCHED_SCANNING MT76_RESTART MT76_RESET MT76_MCU_RESET MT76_REMOVED MT76_READING_STATS MT76_STATE_POWER_OFF MT76_STATE_SUSPEND MT76_STATE_ROC MT76_STATE_PM mt76_hw_cap has_2ghz has_5ghz has_6ghz mt76_driver_ops drv_flags survey_flags txwi_size mcs_rates update_survey tx_prepare_skb tx_complete_skb tx_status_data rx_check rx_poll_complete sta_ps sta_assoc mt76_phy band_idx q_tx main_chan chan_state survey_time sband_2g sband_5g sband_6g macaddr txpower_cur antenna_mask chainmask mac_work mac_work_count rx_amsdu frp mt76_channel_state cc_active cc_busy cc_rx cc_bss_rx cc_tx mt76_sband sband cck ofdm stbc vht mt76_rate_power mt_vendor_req MT_VEND_DEV_MODE MT_VEND_WRITE MT_VEND_POWER_ON MT_VEND_MULTI_WRITE MT_VEND_MULTI_READ MT_VEND_READ_EEPROM MT_VEND_WRITE_FCE MT_VEND_WRITE_CFG MT_VEND_READ_CFG MT_VEND_READ_EXT MT_VEND_WRITE_EXT MT_VEND_FEATURE_SET mt76u_in_ep MT_EP_IN_PKT_RX MT_EP_IN_CMD_RESP __MT_EP_IN_MAX mt76u_out_ep MT_EP_OUT_INBAND_CMD MT_EP_OUT_AC_BE MT_EP_OUT_AC_BK MT_EP_OUT_AC_VI MT_EP_OUT_AC_VO MT_EP_OUT_HCCA __MT_EP_OUT_MAX mt76_mcu msg_seq res_q mt76u_mcu rp_len mt76_usb usb_ctrl_mtx status_worker rx_worker stat_work out_ep in_ep sg_en pse_data_quota ple_data_quota pse_mcu_quota pse_page_size mt76_sdio txrx_worker net_worker stat_worker xmit_buf_sz intr_data parse_irq sdio_func mt76s_intr mt76_mmio irqmask wed wcid_idx mt76_rx_status reorder_time ampdu_ref qos_ctl enc_flags he_ru first_amsdu last_amsdu rate_idx mt76_freq_range_power CMD_CBW_20MHZ CMD_CBW_40MHZ CMD_CBW_80MHZ CMD_CBW_160MHZ CMD_CBW_10MHZ CMD_CBW_5MHZ CMD_CBW_8080MHZ CMD_HE_MCS_BW80 CMD_HE_MCS_BW160 CMD_HE_MCS_BW8080 CMD_HE_MCS_BW_NUM last_wake_event awake_time last_doze_event doze_time lp_wake mt76_connac_pm enable_user ds_enable ds_enable_user txq_lock tx_q wake_work ps_work last_activity mt76_connac_coredump mt7615_reg_base MT_TOP_CFG_BASE MT_HW_BASE MT_DMA_SHDL_BASE MT_PCIE_REMAP_2 MT_ARB_BASE MT_HIF_BASE MT_CSR_BASE MT_PLE_BASE MT_PSE_BASE MT_CFG_BASE MT_AGG_BASE MT_TMAC_BASE MT_RMAC_BASE MT_DMA_BASE MT_PF_BASE MT_WTBL_BASE_ON MT_WTBL_BASE_OFF MT_LPON_BASE MT_MIB_BASE MT_WTBL_BASE_ADDR MT_PCIE_REMAP_BASE2 MT_TOP_MISC_BASE MT_EFUSE_ADDR_BASE MT_PP_BASE __MT_BASE_MAX mt7615_hw_txq_id MT7615_TXQ_MAIN MT7615_TXQ_EXT MT7615_TXQ_MCU MT7615_TXQ_FWDL mib_stats ack_fail_cnt fcs_err_cnt rts_cnt rts_retries_cnt ba_miss_cnt aggr_per mt7615_phy mt76 monitor_vif n_beacon_vif omac_mask scs_en last_cca_adj false_cca_ofdm false_cca_cck ofdm_sensitivity cck_sensitivity slottime chfreq rdd_state rx_ampdu_ts scan_event_list scan_work roc_work roc_timer roc_wait roc_grant mt7615_dev bus_ops irq_tasklet infracfg reg_map mcu_work reset_work reset_wait reset_state sta_poll_list sta_poll_lock radar_pattern hw_pattern fw_debug flash_eeprom dbdc_support rate_work wrd_head debugfs_rf_wf debugfs_rf_reg muar_mask mt7615_mcu_ops add_tx_ba add_rx_ba add_dev_info add_bss_info add_beacon_offload set_pm_state set_drv_ctrl set_fw_ctrl set_sta_decap_offload mphy n_pulses FW_STATE_PWR_ON FW_STATE_N9_RDY mt7663u_driver_exit mt7663u_driver_init mt7663u_resume mt7663u_suspend usb_intf mt7663u_disconnect mt7663u_probe mt7663u_init_work mt7663u_stop mt7663u_copy mt7663u_rmw mt7663u_wr mt7663u_rr MCU_CMD_TARGET_ADDRESS_LEN_REQ MCU_CMD_FW_START_REQ MCU_CMD_INIT_ACCESS_REG MCU_CMD_NIC_POWER_CTRL MCU_CMD_PATCH_START_REQ MCU_CMD_PATCH_FINISH_REQ MCU_CMD_PATCH_SEM_CONTROL MCU_CMD_WA_PARAM MCU_CMD_EXT_CID MCU_CMD_FW_SCATTER MCU_CMD_RESTART_DL_REQ mt7663u_mcu_init mt7663u_mcu_power_on mdev mt7663u_mcu_send_message    mt7663u.ko  q                                                                                                   	                                            
                                                                  $                             1            ,      1       +     ]      \       B                    O                  h           	       ~           
                  <                                       $                                @                          `            `       J                   ^                                   h       )    `      R       6            @       A    0      (       S   $         8       k                 x          F                 r           `      G                                                                           -           B       *                           )   "                R           `       f    l       &       ~           %                  !                  #                           	                           H                                                 8                     O                     g                                                                  &                                                                                                                                                                '                     7                     J                     \                     g                   s                                                                                                                                                                        
                                          1                     E                     R                     c                     l           `                                                                                                                                                                                                "                     /                     H                     [                     i                     :                                                                   p      u                                                                                                                                     0                     P                      __UNIQUE_ID_alias195 __UNIQUE_ID_alias194 __UNIQUE_ID_depends193 ____versions __UNIQUE_ID_retpoline192 __UNIQUE_ID_intree191 __UNIQUE_ID_name190 __UNIQUE_ID_vermagic189 _note_10 _note_9 mt7663u_driver_init mt7663u_driver mt7663u_resume mt7663u_suspend mt7663u_disconnect mt7663u_probe drv_ops.36 mt7663u_stop bus_ops.37 mt7663u_init_work __UNIQUE_ID_ddebug430.0 mt7663u_copy mt7663u_rr mt7663u_rmw mt7663u_wr mt7663u_driver_exit __func__.39 __UNIQUE_ID_license440 __UNIQUE_ID_author439 __UNIQUE_ID_author438 __UNIQUE_ID___addressable_cleanup_module437 __UNIQUE_ID___addressable_init_module436 mt7615_device_table __UNIQUE_ID_firmware435 __UNIQUE_ID_firmware434 __UNIQUE_ID_firmware433 __UNIQUE_ID_firmware432 mt7663u_mcu_send_message mt7663u_mcu_power_on.cold mt7663u_mcu_ops.0 mt7615_sta_ps mt7663_usb_sdio_tx_status_data __mt76u_vendor_request mt7663_usb_sdio_reg_map mt7615_mcu_parse_response __mt76u_init consume_skb __this_module ___mt76u_wr __mt7663_load_firmware usb_register_driver cleanup_module mt7663_usb_sdio_tx_complete_skb memcpy timer_delete_sync mt76u_resume_rx mt7615_mac_sta_add __dynamic_dev_dbg __fentry__ init_module mt76_alloc_device __x86_indirect_thunk_rax mt7663_usb_sdio_register_device usb_put_dev usb_bulk_msg usb_reset_device usb_get_dev mt76u_alloc_mcu_queue mt76_free_device mt7615_mac_sta_remove mt76u_queues_deinit devm_kmemdup mt7615_init_work _dev_err __mod_usb__mt7615_device_table_device_table mutex_lock skb_push mt7663u_mcu_init usb_deregister mt7615_ops __x86_return_thunk mt76u_read_copy mt7615_queue_rx_skb mt7615_mcu_fill_msg mutex_unlock cancel_delayed_work_sync mt76u_alloc_queues mt76u_stop_tx ieee80211_unregister_hw ____mt76_poll_msec cancel_work_sync mt7663u_mcu_power_on mt7615_mcu_restart mt7663_usb_sdio_tx_prepare_skb mt76u_stop_rx mt76_skb_adjust_pad ___mt76u_rr mt7615_update_channel mt76_connac_mcu_set_hif_suspend mt7615_rx_check           D   (          c   3          Z   ;          A   \          m   a          D             i             a             Z             m             D             Z             b             P             I   
         N            D   $         Y           B         Q   U                    c            `      m         F            L            K                                   0               5                    7            G   -         G   p         d            M            `            P            I            N            Z                               	                    C            f   
         H            Z   1         D   A         W   K         Z   T         R   a         D   |         @            e            _            _            a            D            U   <         ?   k         4            ^            D            U            k            ^            Z            D            U            k   7         :   ?         ^   N         Z   a         D   ~         U            :            ^            D            ]            V            j   G         J   Q         8   ^         Z   q         D            c            Z            d                        Z            D                               G   .         g   =         Z   h         d   t         f            ;            G            Z             D                                  9                        @                 <                @                 X   
                              S                      0          l           8          h           @          >           H          3           P          n           X          \           h          2           p          B                     O                                      6           @         g                                                                   `                                               (             0      0             `      8                   @                   H                   P             `      X                   `             p      h                                                     x                   o                   !                                                          ,                                                          2                                                                                                  J                                      M                    ]      $                   (                   ,             <      0                                                                                              -                    2                    7                    [                    f                            $                    (                    ,                    0                    4                    8                    <                    @                    D                   H             	      L                   P                   T                   X             *      \             .      `             /      d                   h                   l                   p                   t                   x                   |                                                                      !                   (                   0                   6                   J                   O                   S                   X                   `                   f                   g                                                                                                                                                                                                                                    N                   p                   }                   ~                                                                                                                                                                                                                                                      $                  (                  ,                  0                  4                  8                  <                   @            F      D            G      H            I      L            K      P            M      T            R      X            `      \            g      `            p      d            t      h            w      l                  p                  t                  x                  |                                                                                                                                                                                                      X                  Y                  [                  ]                  b                  p                  v                                                                                                                                                                                                                                          ;                  <                  A                                                                                                                                    A                                   	   *                                        `                                                       [           @                     H                   P                    `             `       h                     p                                                    =                      E                                                                                               8         E           P         =            .symtab .strtab .shstrtab .note.gnu.build-id .note.Linux .rela.text .rela.init.text .rela.exit.text .rela.text.unlikely .rela.rodata .rodata.str1.1 .rela__mcount_loc .rela.smp_locks .modinfo .rodata.str1.8 .rela.retpoline_sites .rela.return_sites .orc_unwind .rela.orc_unwind_ip __versions .rela__jump_table .rela.data .rela.exit.data .rela.init.data .rela__dyndbg .rela.gnu.linkonce.this_module .bss .comment .note.GNU-stack .BTF .gnu_debuglink                                                                                       @       $                              .                     d       <                              ?                                                         :      @                      	      -                    J                     c                                    E      @                     x       -                    Z                                                         U      @               (      0       -                    j                                                         e      @               X      H       -   	                 ~                           H                              y      @                            -                          2               
      3                                                  ;
      p                                    @                     P      -                                         
                                          @                     x       -                                         
                                         2                     0                                                  
                                          @                     `       -                                         
      4                                    @                     8      -                                         L
                                   	                    j                                        @                      x      -                                                                             (                                                         #     @                     H       -                    :                           P                              5     @                            -                    E                    !                                    @     @                             -                     U                    !                                    P     @                            -   "                 e                     "      8                              `     @               0      `       -   $                 s                    @"                    @               n     @                     0       -   &                                     %                                          0               %      x                                                  8&                                                          8&                                                                                                                        h
      .   2                 	                      P      `                                                                                      0	*H
01
0	`He0	*H
1a0]080 10UDebian Secure Boot CA2(oe:B&C0	`He0
	*H
  \vm-2˲\7K"4Hu%_?antdeױX-X3.DFbh}߬GF*~Dwӷg-ZS$9Fy`,6E1Eְ&<ijmZ@U IRO_.4%yGV àu]Ln#~ٱd2dT7#t=|Q:nT#
#⇢I6]kqP517h         ~Module signature appended~
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                             @@ @{N@{@@ @{N@{|@?@?@@@#err.@@ @N@@@ @
N@|q@0AJAR1AJAU@@$loop9@Р@@ @  Q@  y@@ @  N@W@ݠ@@ @  Q@  @@ @  N@X@(@@ @  N@z%Types)row_field@@ @  
N@{@@ @  N@|@ @}@@ @  N@Y(@@ @N@@@ @N@Z@ @[@ @\@ @]O@V@BBBB@@ @
nbF@@AE@@BlKJ@@^L@@AG@@C@@ABCA@@I@@AH@@BD@@B@@ACD@@L@  , (hBB
/@@
.A @@ABCD@@K@  , (\!BBBB@@
8A*
K@  , (P&BB
=@@
<A.#K@  , (@*BGBWBGB[@@
AA3'missing/&optionJ@@ @~O@|i@@ @~O@|@ @|O@|w@@ @|O@|r@AXAbAXAi@@NIRO@BL@'K@@AKJBCHGD@@K@  , (0WB\BsB\B@A
nA@UT@@  , ((\B\ByB\B@A
sA@ZY@@  , (a
@
uA5!s8@@ @ @B\BjB\Bk@@lg@
PLs@Aq@Bn"Cgfb@a@M@@ABCD@@M@  , ( zB.B4#@@
AOw.KA  , 'AlAt	BB$@A
B@@A~BC|{D@@J
  , 'AAAB@A	!Includecore.private_variant.(fun)A@@@  , 'AJAN
@@
AJ@  , 'A)AAA)AD@@
AJ@  , '#A)A-
@@
AJ@  , ''AA(AA@@
A@ZKYJ@A@@A@BCD@@K@  , '8@@9@A @A
A@@@  , '=@@>@@@A
A@@@  , '
@
A!s-%label@@ @|@K@@L@@@@°@8[L(@A"C@@M@@ABCD@@M@  , '`԰\@[@z]@[@@!@@ @{Ѡ)row_field@@ @{@ @{@@ @{
B@E@ABCD@@J@  , '@x@J@UyAA!@@AJCD@@I@  , '0@@<@@I@@AI@  , '??@@AI@  , &????@ݠ@ @{N@{P B@@A@B@ @A@BC@@E@  , &??,@@+@
E@  , &AAAA@@A"!f0@AAAA@@$@RC@@A
B@@%param7A@@AB@@C@  , &0ABAB@@A.C@  , &5AAAA@\)row_field@@ @~A#:@@A@B@@B@  , &DAA@@A*ABA  , &JA@OE@!@A@@A  , &xOCCCC@@	 Includecore.private_variant.loopA]#tl1:@BBBB@@]!#tl2;N@f@BBBB@@e"%pairs<N@m@BBBB@@n#i@
A@@AC@@B@@[<D@@ABC@rB@@A@@@@AD@  , &d~C|CC|C@A/A@|{@@  , &\C|CC|C@A4A@@@  , &P
@6A6%traceA!t*comparison@@ @@@ @@!CNCs"CNCx@@$@=D@@A2@>E@@AB4@3@ F@@ABC1/F@  , &3CC,4CCH@@@ @aDaFD@C@AB?=G@  , %ACCBCC@@jAiC@  , %FHH.GHHM@AoA@@@  , %ðKHH3@AsA@@@  , %	@uA|!s=@ZCC[CC@@%"f1>@aCCbCC@@&"f2?@hCCiCC@@'%pairs@@@@ @@sCCtCC@@(&const1G$boolE@@ @  {@GGG[GGGa@@2#ts1HԠ@@ @  }@@ @  |@GGGcGGGf@@3&const2I@@ @  @GGGwGGG}@@4#ts2J2@@ @  @@ @  @GGGGGG@@#5@
BJ
AIOE@@AAL@@(N@@A^G@@BCXF@@TD@lH@@AB@@ABK@@+M@@ABCDN@  , %BGGGG@N@  BD&P@  , %KGGGH@N@  BM/O@  , %pTGGGH
@@AR4N@  , %dYGGGG@#intA@@Q@  NA_AO@  , %PfGGGG@S@  ^AhJN@  , %,oGG@@AlNN@  , %sHsHHsH@A$A@qp@@  , %x HsH@A(A@ut@@  , $|	@*AwYP@M@ABLK@@F@ABCD	L@  , $
HHHH@A6A@@@  , $HHHH@A;A@@@  , $
@=AL@  , $FFFF@ABA@@@  , $FF@AFA@@@  , $	@HAҠ#to1D&optionJ@@ @  A@@ @  @@2EE3EE@@-&const2E@@ @  L@<EE=EE@@.#ts2F@@ @  N@@ @  M@JEEKEE@@/@@AN@@@AB[@[@A3L#to1BK@@M@@ABCD^\N@  , $tذ`F`FaF`F@@AAN@  , $PݰeFFBfFFM@AA@@@  , $<jFFNkFFY@AA@@@  , $(oFF=pFF_@@AR"t1M@@ @  ,@zFF*{FF,@@0"t2N@@ @  7@FF6FF8@@ 1@
r@O@A>=B@@AC@!Q@@AP@@BACDQ@  , #EEFF@@AyMN@  , #EkE}EkE@AA@@@  , #EkE@AA@@@  , #	@AUN;@@ @  )@@ @  (@DNDcDNDf@@,)#to2CI@@ @  0@@ @  /@DNDqDNDt@@:*5@@@AB
	@@Ap@L@@ABCDL@  , #tEEE)EE;@@A*CL@  , #\JDDDD@AA@HG@@  , #HODDDD@A A@ML@@  , #4TDDDD@@A;"t1Ks@@ @  1@DDDD@@c+"t2L}@@ @  8@DDDD@@m,h4<@:@AC7@N@@AM@@B7CDN@  , #x DNDxEE@@)A]vAL@  , "}GGGGF@A.A@{z@@  , "
GGGG*@A3A@@@  , "
@5AMUT@@@ABCDK@  , "I'I5I'IG@@?AW_^"CDJ@  , "IkIyIkI@AGA@@@  , "#IkI$IkI@ALA@@@  , "|
@NAJ@  , "L*DD1+DDH@m@@ @  WA@pByD53I@  , "87DD8DD/@z@@ @  	dA@}B'DB@H@  , "(DCDEII@@mAH@  , !IBB@@q@pC@  , !ŰMKKNKK@@A]II@#envQ@bII@@7'fields1R@hIIiII@@8'params1S@oIJ pIJ@@9'fields2T@vIJwIJ@@:'params2U@}IJ~IJ@@;%pairsV٠@@ @  *field_kind@@ @  )type_expr@@ @  *field_kind@@ @  )type_expr@@ @  @ @  @@ @  N@  @JJ JJ%@@&<&_miss1W@@ @  ,*field_kind@@ @  2)type_expr@@ @  @ @  @@ @  N@  @JJ'JJ-@@G=%miss2X'%@@ @  M*field_kind@@ @  S)type_expr@@ @  @ @  @@ @  N@  @JJ/JJ4@@h>#errYp@@ @  YN@  N@@ @  ON@  @JaJgJaJj@@z?#tl1[$listIw@@ @  N@  @@ @  N@  @JJJJ@@A#tl2\~@@ @  N@  @@ @  N@  @&JJ'JJ@@B@lJuF@@AE@@GI@@ABD@@B@@AmG@@H@@ABCC@@A@@AAL@@.K@@cM@@ABCD@@M@  , !°JKKKKK@AA@@@  , !ǰOKK@AA@@@  , !	@A%trace`C@@@ @  _@@ @  ^@^KK_KK@@Eհ71@0@dM@@ABC22,@+@eN@@AB-@,@O@@ABCDE@@O@  , !ttK<KFuK<Kz@A@@ @  
D,QGGA@>@=@ABCD@@P@  , !TK<K[K<Kj@ޠ@@O@  O@  <O@  4"BAT@  , !4K<Kk@@@O@  O@  VO@  N1BP$S@  , !K4K67@@6AT(L@  ,  JJJK.@@ @  N@  BA_$@@AB~~x@v@ACD@@I@  ,  1JK @@O@  @@O@  O@  O@  [Bx=I@  ,  DJK
JK'@A	 Includecore.private_object.(fun)A@CB@@  ,  JJJg@@fAG#I@  ,  NJJJJ@@kAL(I@  ,  SJJp@@oAP,I@  ,  WJJJJ@@tAU1@B0D@@H@  ,  _JJJJ@A|A@]\@@  ,  dJJ@AA@a`@@  ,  |h	@A!fZ@@ @  ;@JJJJ@@s@n@mI@A@J@@ABOD@@J@  ,  `~JaJc@@A{&H@  ,  L
JJ7JJ]@cC@ @  N@  B@@A@@ABeC@@E@  ,  4JJ@@@	E@  ,   !JK "JK&@AUA@@@  ,  @WA֠"t1]O@  @-JK.JK@@C"t2^O@  @6JK7JK@@D@_A@@AC@@B@@AB@@CA  , zAw@@@A@@A  , ðK"PPL"PP@@ACXKK@#envcC@]KK@@G#ty1d@@cKKdKK@@H'params1e>@jKKkKK@@I#ty2f:@qKKrKK@@J'params2g8@xKL yKL@@K%priv2h4@KLKL
@@L$ty1'i]@@ @  N@  @LLLL@@M$ty2'ji@@ @  N@  @LL;LL?@@N@	JI@@ALF@@B@D@@4B@@AC.A@@ME@@A+G@@CC@@A#H@@K@@ABCD@<B@@AD@@kC@@AB@K@  , 5!PP!PP@AXA@32@@  , :!PP@A\A@76@@  , >	@^Ay%tracev@@ @  @@ @  @!PP!PP@@MZH:4@NK@@AB65C3@ML@@AM@@7@AB6@4@4@ABCD0@M@  , _OOOP-@G@@ @  EcUIHFCD>@N@  , Hm@AhN@  , @oP.P@P.Px@O@  &DqN@  ,  x P.PUP.Pf@}@@Q@  )Q@  SQ@  BBR@  , P.P`P.Pe@AA@@@  , P.Pg@@@Q@  'Q@  vQ@  eB0Q@  , "P.Pr#P.Pw@AA@@@  , 0@A7N@  , )OO@@A;J@  , -MM.MM@@A$row1k@@ @  @:
LL;
LL@@O$row2l@@ @  @D
LLE
LL@@P$row1o(row_desc@@ @  O@  x@RLLSLL@@Q$row2p@@ @  O@  y@^LM_LM@@Rհ@LvO@A@BC@&M<L@@AN5K@@@ABCD@O@  , vMMwMM@AA@@@  , {MM@AA@@@  , l	@AP#errq@@ @  -@MMMM@@ S(@P@@ABC&D@P@  , T 
MoM{MoM@@@ @  
@@ @  5En 6D@N@  ,   MoMu,@@<At N@  ,  
MM%
MMm@@@N@  O@  GB #N@  ,  *
MM,@B@@O@  P@  RD .N@  ,  5
MME
MMS@AXA@ 3 2@@  ,  :
MMT
MMl@A]A@ 8 7@@  ,  ?!P@@`A ;*NA  ,  DLMLM@AgA C5)hbaB'CD@M  ,  OLLLL@sA OA5@r@AonB4CD,@L@  , l [LLMN@@~A Y
L@  , d `LLLL@y@@N@  vO@  bB eL@  , X lLL@h@@O@  cO@  tP@  oA r#L@  , H y@A t%L@  ,  {OeOuOeOy@@A#fi1m@@ @  ,@NNNN@@ T#fi2n@@ @  =@NN$NN'@@ U'fields2rwu@@ @  *field_kind@@ @  )type_expr@@ @  @ @  @@ @  O@  @<NmNx=NmN@@ V%rest2s)type_expr@@ @  O@  @JNmNKNmN@@ W'fields1t/.@@ @  ݠ-@@ @  ޠ+@@ @  @ @  @@ @  O@  @eNNfNN@@ X ܰ@SwRV{PYM@A@nL@@ABeK@@0Q@@A`O@@BCD@CN@@A@BCE@R@  ,  OzOOzO@A A@  @@  , !OzO@A$A@  @@  , !	@&A#erru@@ @  @OzOOzO@@!Y!0@S@@A(@BC'&D!E@S@  , !O!O-O!O_@!@@ @  i@@ @  hEE!!@B@A<B:9D
4E@Q@  , `!-O!O'0@@OA!*	Q@  , \!1NNNO@@@N@  /O@  -ZB!6Q@  , 0!=NN@U@@O@  ,P@  eD!A Q@  , !HNNNO
@AkA@!F!E@@  , !MNONO@ApA@!K!J@@  , !R!T@@sA!N-Q@  , !UNNNN@@@ @  O@  @ @  O@  A!`@~@AM{By@v@ANMBCKuD?@O@  , !nNNq@@A!kO@  , !rNmNNmN@@ @  O@  A!xjdB@dcBCaDU@L@  , ! N,Ng 
OO@@A!
L@  , ! N,N5 N,Nc@@@N@  O@  dB!L@  , ! N,NH N,Nb@@@O@  @@O@  @@O@  @O@  @@O@  O@  l@@O@  eO@  j@P@  qP@  P@  ڐA:!>L@  , p!4@A<!@L@  , ! G	L_La@@A!@@AB[D@HA  , !ɰ QLLB RLL[@AB!Ȱ@@ABC@G  , !԰ \LL ]LL6@B!԰@@A@BC@F@  , !߰ gLL@@@!F@  , ! k`f`w@@A! %PP!@%*opt*y@@ @  @ %PP %PQA@"\"zM@  @ %PP@@"]|@ %PQ
 %PQ
@@"_#env}@ %PQ %PQ@@"`~@ %PQ %PQ@@"a$name@ %PQ %PQ@@"%b%decl1
@ &QQ# &QQ(@@",c$path@ &QQ) &QQ-@@"3d%decl2@ &QQ. &QQ3@@":e#err B@@ @  nN@  g@@ @  hN@  @ /RORU /RORX@@"Lf#err T@@ @  JN@  H@@ @  IN@  @ EUU EUU@@"^n%abstry@@ @  sN@  c@ k[2[8 k[2[=@@"j#err r@@ @  N@  @@ @  N@  @! n[[!n[[@@"|-need_variance@@ @  DN@  4@!
y] ]!y] ]@@"%abstr
@@ @  N@  @!|]]!|]]@@"#opn@@ @  N@  @!%}]]!&}]]@@"+constrained@	)type_expr@@ @  >N@  @@ @  &N@  @ @  N@  @!=~^^!>~^^@@""@H@@A7OdL@@#Q@@ABC@@A@@F@@ABCI@@dMKJ@@AG@@BE@@D@@A\N@@FP@@AB@@BCDE@D@@AKC@@ B@@AYE@@BC@Q@  , t"!n`f`m!o`f`q@@A"0Q@  , l"!s^B^G!t``e@@@M@  @N@  cC"<Q@  , \"!^U^[!_`@A	#Includecore.type_declarations.(fun)A@""@@  , 8"!``/@ 9(Variance!t@@M@  9M@  w
@@M@  RM@  x@M@  yM@  N@@N@  dN@  >N@  /CB9#eQ@  , # !^B^DI@@HA=#iQ@  , #$!~^^!~^^>AA	)Includecore.type_declarations.constrainedA@###"@@  , #*!~^^
S@@RAF#'sq@m@ABkjChgEU@P@  , #3!}]]\@@[AN#0	nmedb@_@ABCD^@O@  , #<!|]]e@@dAV#9B|{CyDf@N@  , #D!{]b]~!{]b]@@mA_#B	N@  , #I!{]b]dr@@qAc#F
N@  , P#M!y] ]v@@uAf#J@}@y@ABCDx@M@  , D#V!x\\!x\\@@Ap#T
M@  , 8#[!x\\@@At#XM@  , #_!v\\!v\\@AA@#]#\@@  , #d!v\\@AA@#a#`@@  , #h	@A)violation.Type_immediacy)Violation!t@@ @  @!v\\!v\\@@#z#u@M@@A@BRBC@@A@B@@A@ N@@ABCD@N@  , #"u\\"u\\@@A#?CD@M@  , #"s\8\@"s\8\@&Stdlib&result$unitF@@ @  Ӡ:@@ @  @@ @  АB#mD@L@  , #"7r\,\2P@@A#L@  , #";p\\"<p\\"@@A#L@  , #"@n[[@@A#L@  , d#"Dk[2[4@@A#@@A@BC3D@K@  , X#Ű"Mj[[)"Nj[[,@@A#
K@  , L#ʰ"Rj[[@@A#K@  , 8#ΰ"VhZ["WhZ[
@@A#̰@LK@@A@@ABC@@A
@BCD@L@  , #"iSWW"jVXqX@N@  I
I &cstrs1Ġ!7constructor_declaration@@ @  @@ @  @"GV,VA"GV,VG@@#o$rep1E@@ @  @"GV,VI"GV,VM@@$p&cstrs2@@ @  @@ @  @"GV,V^"GV,Vd@@$q$rep2]@@ @  @"GV,Vf"GV,Vj@@$r$Ne@9N@@ P@@ABCc@baBD_LV@U@AP@0M@@O@@ABCDES@P@  , $1P@WAI$,P@  , $3"QWW"QWW@@@O@  P@  Q@  dBY$mark@#Env1constructor_usage@@ @  Q@  P@٠%Types7constructor_declaration@@ @  Q@  c@@ @  qQ@  W$unitF@@ @  pQ@  X@ @  YQ@  Q@ @  RQ@  O@"IVV"IVV@@$ss%usage"%1constructor_usage@@ @  @#LVW#LVW
@@$v${aCQ\@\@AZ@R@@ABCDE@R@  , $Y@AM$R@  , $#PWW#PWW@e@@P@  Q@  BY$R@  , $f@@A\$R@  , $#%NWbWs#&NWbW@@A`$ zDE@Q@  , |$#-MW%WU#.MW%Wa@@Ah$Q@  , l$#2LVWw@@Al$Q@  , d$#6IVV#7JVVAA	"Includecore.type_declarations.markA@$$@@  , X$#<HVpV#=RWW@@A$P@  , P$#AHVpVx@@A$P@  , $#EcZ<ZD#FfZZ@rN@  uIܠ'labels1@@ @  @@ @  @#[WXX#\WXX@@$w$rep1/@@ @  @#eWXX#fWXX@@$x'labels2@@ @  @@ @  @#sWXX#tWXX@@$y$rep2G@@ @  	@#}WXX#~WXX@@$z$(2@-@A7N@@!P@@A0@BC/@.@A)@/M@@O@@ABCDE,@P@  , %
M@0AF%P@  , |%#aYZ#aYZ.@@@O@  1P@  /Q@  !=BV$mark@+label_usage@@ @  Q@  |@֠1label_declaration@@ @  Q@  @@ @  Q@  @@ @  Q@  @ @  Q@  }@ @  ~Q@  {@#YXX#YXX@@%B{%usage"+label_usage@@ @  @#\YDYR#\YDYW@@%O~%J~V9QRz@R@AP@R@@ABCDE}@R@  , h%[O@AC%VR@  , X%]#`YY#`YY@4@@P@  Q@  BO%bR@  , L%i\@@AR%eR@  , D%l#^YY#^YY@@AV%jv pDE@Q@  , 4%t#]YlY#]YlY@@A^%rQ@  , $%y$\YDYNm@@Ab%vQ@  , %}$YXX$ZY Y6AA	"Includecore.type_declarations.markA@%|%{@@  , %$XXX$bZ/Z:@@A%P@  , %$XXX@@A%P@  , %$gZZ$gZZ@@A%L@  , p%$FVV'$FVV+@@A%L@  , @%$EUU@@A%D@J@  , 4%$$DUU$%DUU@@A%J@  , (%$)DUU@@A%J@  , %$-4SLS^$.4SLSb@@A%@KJ@@A@@AB@@ABC@@A@L@@ABD@L@  , %$D3S S.$E3S SK@AA@%%@@  , %$I3S S3@AA@%%@@  , %	@A٠%trace=:@@ @  [@@ @  Z@$X3S S%$Y3S S*@@%g%ϰ,C@L@@A
@B	@@A@M@@N@@ABCDE@N@  , %$m2RR$n2RR@:@@ @  <D %ED@O@  , L%$y1RR$z5ScSn@@A%K@  , ,%$~BUU$BUU@@A#ty2@@ @  @$9ST$9ST@@&j#ty1
-)type_expr@@ @  P@  @$:TT$:TT@@&k&kB@A@A<@M@@A L@@ON@@ABCDE@O@  ,  &#$AULUz$AULU@ALA@&!& @@  , &($AULU@APA@&%&$@@  , &,	@RA4%trace@@ @  @@ @  @$AULUq$AULUv@@&;m&6xxv@=O@@Aq@BCDp/j@<P@@Q@@ABC1@1@-@ABDEp@Q@  , &N$@UU%$@UUF@@@ @  {D]&QC~B@BCD~@R@  , &\$@UU;$@UU@@AA@&Z&Y@@  , x&a$@UUA@AA@&^&]@@  , T&e$@UUo@@An&bN@  , (&i$>TT$>TU@AA@&g&f@@  ,  &n$>TT@AA@&k&j@@  , &r	@Az%trace@@ @  O@@ @  N@%>TT%>TT@@&l&|@N@@A@BCDu@BO@@P@@Aw@w@ABCE@P@  , &%=ToT}%=ToT@@@ @  0D&@BCD@Q@  , &%)=ToTw@@A&MA  , &%/;TT(%0;TTc@AАA&@@ABD@L  , x&%:;TT7@AA@&&@@  , \&%>;TTY%?;TTa@AA@&&@@  , T&%C:TT@@A&L@  , 8&%G7SS%H8SS@N@  F۠#ty1@@ @  @%V6SoS{%W6SoS~@@&h#ty2@@ @  @%`6SoS%a6SoS@@&i&װ4@
@A@M@@AL@@BCD@M@  , &'@A &
M@  , &%p/RORQ@@A&,':CD@I@  , &%w.RR=%x.RRI@@A&I@  , &%|.RR%}.RR7@@@N@  N@  O@  %B&I@  , x'%.RR+@@*A&I@  , h'%-QR%-QR
@@/A'I@  , H'%'Q6Q8%,QQ@@@M@  tN@  M:F('+I@  , '?@@>A+'.I@  , '%%PQ@@BA''^Y@X@O@ABCNDE@H@  , '#	@IA/%*sth*{<@
@'(^'#@o@A
I@@k@ABiC\DS@I@  , '1@W@D',H@  , '3%ZY Y%ZY Y1@@@@R@  $unitF@@R@  @R@  A%usage'@%YXX@@'K|$lbls"@%YXX%YXX@@'R}'M@
A@@B@@AB@@C@  , t'Y%ZY Y@@@'V	B@  , T']%JVV%JVV@@@@R@  *@@R@  @R@  A%usage(@%IVV@@'st%cstrs @%IVV%IVV@@'zu'u@
A@@B@@AB@@C@  , <'&	JVV@@@'~	B@  , $'&
~^^+&~^^<@U@@O@  'O@  CP@  2iAkp@"ty@u&!~^^@@'%Btype'@A@@A@@A@  , '&,~^^3@)type_expr@@P@  3P@  AQ@  =A 'A@  ,  '&;~^^@@@#'A@  , '&?_`&@_`@$@@S@  S@  T@  ɐB"ty0@@M@  M@  P@&e^U^`&f^U^b@@'"v1@&l^U^d&m^U^f@@'"v2@&s^U^g&t^U^i@@'&(Variance#imp@@@ @  O@  @%@@ @  O@  @@ @  O@  @ @  O@  @ @  O@  @&^^&^^@@(#co1
#@@ @  O@  @&^^&^^@@(#cn1
0@@ @  O@  @&^^&^^@@(*#co2@@ @  WO@  @&^^&^^@@(6#cn2@@ @  XO@  @&^^&^^@@(B"p1
U@@ @  5P@  @&__&__@@(O"n1
b@@ @  6P@  @&__&__@@(\"i1
o@@ @  7P@  @&__&__@@(i"j1
|@@ @  8P@  @&__&__@@(v"p24@@ @  NP@  @'__'__@@("n23@@ @  OP@  @'__'__@@("i22@@ @  PP@  @'__'__@@("j21@@ @  QP@  @'*__'+__@@((@QLI!F@@AG@@J@@ABH@@K@@AbN@@2S@@ABCE@@\M@@-R@@AByO@@HT@@ACP@@YU@@AA@@BB@@D@@AC@@BCDE@PB@@A9D@@GC@@AB@U@  , (ް'f__'g_`@%@@S@  S@  T@  B'(EU@  , ('u__'v__@@@R@  R@  S@  B5(SU@  , ('__'__@@@Q@  {Q@  R@  BC)aU@  , |)	'__'_`@@AH)fU@  , X)'__'__@}@ @  "P@  M AO)@r@AjiBg@e@e@ABCb@a@A^@]@AX@BCVUDEQ@P@  , ))'__'__@ՠ@ @  !P@  4;Aj)1@@AB@@A}@o@ABCmlDh@K@  , )@'_m_{'_m_@@IAw)>
K@  , )E'_(_T'_(_l@@NA|)CK@  , )J'_(_@'_(_N@O@@P@  P@  Q@  [A)Q K@  , )X'_(_6@@`A)U$K@  , )\'^_'^_&@@@P@  P@  Q@  mB)c2K@  , |)j'^_'^_@@@P@  P@  Q@  {B)q@K@  , h)x( ^_(^_'@@A)vEK@  , `)}(^^t@@A)zIK@  , L)(	^^(
^^@]R@ @  O@  VA)@@A@@ABUCD@H@  ,  )(^^(^^@~@ @  O@  
A)@@A@BC@E@  , )(-^^@@A)E@  , )(1^^(2^^AA	'Includecore.type_declarations.(fun).impA@))@@  , 
)(7^n^v@@A)@@AC@DA  , 
)A@)@@@AB@B  , 
)(F^^@@@ѐ(L^^@!a@ (Q^^@@)!b@(W^^(X^^@@))ΰ@B@@AA@@B@@B@  , 
)ڰ(bdd	@@A)(q``@@(u``(v``@@)#env@(|``(}``@@)@(``(``@@)"id@(``(``@@*$ext1@(``(``@@*$ext2@(``(``@@*#ty1@@ @  N@  @(aa(aa@@*#ty2@@ @  N@  @(bb(bb!@@*+#tl1),@@ @  BN@  =@@ @  ?N@  ;@(bzb(bzb@@*>#tl2>@@ @  PN@  K@@ @  MN@  I@(bb(bb@@*P!r(X%@@ @  @@ @  O@  @(cocw(cocx@@*`*[@VNYM@@AzE@@hB@@ABbA@@sC@@AF@@BC{D@@'L@@AMI@@<J@@ABhG@@^H@@cK@@ABCD@"pB@@A@N@  , 
*)dd)
dd@@A*'N@  , 
\*)dd@@A*@&@A$@B#"CD@L@  , 
T*)d9dI)d9dx@AA@**@@  , 
L*)d9dN@AA@**@@  , 
(*	@A!r&@@@ @  I@)*d9dD)+d9dE@@**6@M7@A65B32CD-@M@  , 
*)7d(d,@@A*&LA  , 
*)=c{c)>cd @AH*.I@FEBCBCD=@K  , *)Hcocs@@A*	K@  , *İ)Lc c&)Mc cd@AA@**@@  , *ɰ)Qc c+@AA@**@@  , d*Ͱ)Uc cR)Vc cb@AA@**@@  , T*@A%traceJG@@ @  @@ @  @)ebc)fbc@@**ܰ@|@AK@@}@AB|{Cw@L@@Aw@Bu@M@@Aw@v@ABCDr@M@  , *)|bb)}bb@I@@ @  w'D*qCCD@N@  , +)bb0@@/A&*J@  , +)bb)bb@A4A@++@@  , +
)bb9@@8A.+@@A BCD@I@  , +)bzb)bzb@ABA@++@@  , +)bzb|G@@FA;+@@A.BCD@HA  , +#)b$b()b$bt@ARAG+"@@@ABCD@G
  , +/)b$b7@A]A@+,++@@  , +3)b$bj)b$br@AbA@+1+0@@  , x+8)bbg@@fAZ+5GA  , t+>)aa)ab@AmAa+=@@ABC@F  , d+I)aa@AwA@+F+E@@  , L+M)ab)ab@A|A@+K+J@@  , @+R)aa@@As+OF@  , 8+V)aa)aa@/@@M@  N@  O@  B%usage)1constructor_usage@@ @  @)aa)aa@@+p+k@@G@@ABCD@G@  , $+x"@A+sG@  , +z*aaal*aaa@@A+x;F@  , +*a,aT*a,a`@@A+}@F@  , 
+*``*
aa@@A+EF@  , 
+*``@@@+IF@  , 
+*8N8f*8N8j@@;Includecore.compare_recordsA+"#M@o@*#|77*$|77@@+ #env	"M@tD@*+|77*,|77@@+ 'params1
"M@tK@*3|77*4|77@@+ 'params2"M@tR@*;|77*<|77@@+ !n"M@tY@*D|77*E|77@@+ 'labels1
+3*a1label_declaration@@ @tk@@ @tj@*V}77*W}77@@+ 'labels2+E*s1label_declaration@@ @t{@@ @tz@*h~88*i~88
@@+ +߰@JF@@A*B@@BA@@WG@@A9C@@BJE@@DD@@ACD@@$= @@A# @@#$ @@AB"@@@# @@A#j @@BCG@  , 
,*8k8{*8k8@AtA@++@@  , 
,*8k8@AxA@,,@@  , 
,
	@zAz!l5@@ @t@*8k8s*8k8t@@, ,@1@AH@@2@AB10D@(H@  , 
,*88*88@AA@,,@@  , 
,"*88@AA@,,@@  , 
x,&	@A!lc@@ @t@*88*88@@,1 ,,@M@AI@@N@ABMLH@G@$rem1H@@ABCD@JI@  , 
X,?*;+;?*;+;U@AA@,=,<@@  , 
<,D*;+;V*;+;l@AA@,B,A@@  , 
,I*; ;*;;@@A#ld1@@ @t@*88*88@@,Z+@@ @t@@ @t@*88*88@@,f#ld2@@ @t@*88*88@@,p$rem2+̠@@ @t@@ @t@+88+88@@,~,y@.M@@A@BQPC@8J@@$L@@ABD@@A@@AT@ K@@ABCE@M@  , 
,+::+::@AA@,,@@  , 	,+::@A	A@,,@@  , 	,	@AP!r#M@sk@+(::+)::@@,,&@B@N@@AqBCE@N@  , 	,+5:O:]+6:O:@#!Ef,/C+D@L@  , 	,+?99+@:-:M@@@N@uO@u0Fu,L@  , 	X,ð+K:-:7@*(@@P@uP@uQ@u>A,O@  , 	8,Ѱ+Y9n9y+Z;;@@DA,"L@  , 	0,ְ+^969A+_969m@AIA@,,@@  , 	(,۰+c969F@AMA@,,@@  , 	,	@OA,-L@  , 	 ,+i9 9	+j9 95@!@@N@ulO@uHZB,9L@  , ,+u9 9@&stringO@@N@uRfA,EM@  , ,+9 9!@P@ucnA,ML@  , -+9 90@@sA,QL@  , -+80824@@w@v-#G@  , l-	+y77+y77@@:Includecore.compare_labelsA-#env$:@+n55+n55@@- 'params1 $=M@s@+n55+n55@@-# 'params2$AM@s@+n55+n55@@-+ #ld1$C@@ @s @+o55+o55@@-5 #ld2$C@@ @s+@+o55+o55@@-? #tl1%n%lM@sw@@ @sN@sr@+t66+t66@@-O #tl2%lM@s@@ @sN@s@+u66+u66@@-^ -Y@OE@@A9B@@B0A@@MD@@AFC@@-F@@AG@@S+H@@ABCD@@% @@A%c @@$@@@AB$nC@@%1 @@A$ @@BCH@  , X-~,x7[7c,x7[7@AuA@-|-{@@  , P-,x7[7i,x7[7z@AzA@--@@  , D-
@|A|%trace @@ @s@@ @s@,w737R,w737W@@- -@9@A,H@@;@AB::8@-I@@AB8@8@J@@ABCD@6J@  , -,0v77,1v77-@@@ @sD-RNMK@I@I@ABCD@EK@  , -,?v77@@A-	GA  , -,Eu66,Fu67@AB-c_^\@Z@ABC@UF  , -Ȱ,Pu66@AA@--@@  , -̰,Tu66@@A-
FA  , -Ұ,Zt66,[t66@AɐB-Ѱxtsq@BC@iE  , -ܰ,dt66
@AA@--@@  , x-,hs66,iz77@@A-
E@  , p-,mr66,nr66@AA@--@@  , h-,rr66@AA@--@@  , `-	@A#ord*@@ @s_N@sG@,q6<6D,q6<6G@@- -@F@@A@@ABC@F@  , X.,q6<6,q6<6@@A.0E@  , L.,q6<6t,q6<6y@@A.5E@  , 8.
,p666,s66@@A.:E@  , .,p66
2@@@.>E@  , .,f44,f44@@	0Includecore.compare_variants_with_representationA.%%@,_33,_33@@.* #env&`M@q@,_33,_33@@.3 'params1&bM@q@,_33,_33@@.< 'params2&YM@q@,_33,_33@@.E !n%M@r@,_33,_33@@.N &cstrs1%M@r
@,`33,`33@@.W &cstrs2%M@r@,`33,`33@@.` $rep1%M@r@,`33,`33@@.i $rep2%M@r@,`33,`33@@.r #err%N@r&@,b33- b33@@.{ .v@2D@@A*C@@ZH@@AJ@@cI@@ABCCE@@YG@@AQF@@B.B@@'A@@ACD@@& @@A& @@%C@@AB%F@@&Q @@A&@@@BCJ@  , .-&l5q5v-'l5q5@@A.&J@  , .-+j55-,j55B@@A.+J@  , .-0h44-1h44@AA@..@@  , .-5h44@AA@..@@  , .	@A#err&*M@nn@->g44-?g44@@. .?=<
K<;BC98D@0K@  , .°-Jc4547$@@A.IJA  , .Ȱ-Pb33-Qb341@AG.ǰQO@M@K@ABCJID@AI
  , 8.԰-\b336@@@.
I@  ,  .ذ-`K0P0`-aK0P0d@@<Includecore.compare_variantsA.Ӡ&&@-mG//-nG//@@. ֠#env'M@m@-vG//-wG//@@. נ'params1'!M@m@-G//-G//@@. ؠ'params2'M@m@-G//-G//@@/ ٠!n&M@m@-G//-G//@@/
 ڠ&cstrs1.&@@ @m@@ @m@-H//-H//@@/ ۠&cstrs2.&@@ @m@@ @m@-I0 0-I0 0@@/+ /&@#B@@AA@@JF@@RG@@ABC2C@@FE@@?D@@ABD@@' @@A'- @@&kF@@AB&8I@@&@@@A&C@@BCG@  , /H-L0e0u-L0e0@ApA@/F/E@@  , /M-L0e0z@AtA@/J/I@@  ,  /Q	@vAv!c&@@ @n@-L0e0m-L0e0n@@/\ /W@H@@A3@B21C-,D@(H@  , /d-M00-M00@AA@/b/a@@  , /i-M00@AA@/f/e@@  , /m	@A!c' @@ @n*@-M00-M00@@/x /s@I@@AO@BNMCI@I@AG@$rem1H@@ABD@JI@  , |/.\3/3A.\3/3z@@A#cd1'@@ @nH@.N00.N00@@/ .'*@@ @nJ@@ @nI@.'N00.(N00@@/ #cd2''@@ @nR@.1N00.2N00@@/ $rem2/	'4@@ @nT@@ @nS@.?N00.@N01@@/ /@!.)M@@AF@B7J@@$L@@A@BCDI@H@K@@ABCE@M@  , t/Ͱ.U[22.V[23.@AA@//@@  , l/Ұ.Z[22.[[23@AA@//@@  , \/
@AO!r'M@l@.dZ22.eZ22@@/ /۰%d@N@@AeBCE@N@  , D/.pX2Q2_.qY22@'Hd/@u@A/.CD+E@L@  , /.|R11.}W2/2O@ @@N@o@O@o"Fu/L@  , 0 .W2/29@-e@@P@oP@o=Q@o5/A0O@  , 0
.Q1|1.]3{3@@5A0#L@  , |0.P1A1I.P1A1{@A:A@00@@  , t0.P1A1N@A>A@00@@  , T0	@@A0.L@  , L0.O11.O11;@%6@@N@nO@nKB0":L@  , D0).O11#@<@@N@nTA0+CM@  , ,02.O11'@P@n\A03KL@  , 0:.O11-@@aA07OL@  , 0>.J04061@@e@d0;G@  , 0B.E/T/Z.E/T/@@	 Includecore.compare_constructorsA0>(5(5@.;--.;--@@0T ˠ#env(M@k@.;--.;--@@0] ̠'params1(M@k@.;--.;--@@0f ͠'params2(M@k@.;--.;--@@0o Π$res1(HM@k@.;--.;--@@0x Ϡ$res2(GM@k@/;--/;--@@0 Р%args1(M@k@/;--/;--@@0 Ѡ%args2(M@k@/;--/;--@@0 0@B@@AA@@HG@@AOH@@BF@@ABC:E@@3D@@,C@@ABD@@( @@A(@@@'I@@AB'L@@(eC@@A(F@@BCH@  , 0/:C///;C//A@@pAo0"H@  , l0/?B../@B./
@@uAt0'@"r1I@@A BD@I@  , L0ð/K@../L@..@AA@00@@  , <0Ȱ/P@../Q@..@AA@00@@  , $0Ͱ/U@../V@..@@A(@/[=--/\=--@@0 Ӡ"r2(@/b=-./c=-.@@0 0ٰKA@$@
J@@ABC@B@"%K@@ABCD@DK@  , 0/r?.?.i/s?.?.@AA@00@@  , 0/w?.?.n@AA@00@@  , 0	@A$%tracekh@@ @l@@ @l@/?.?.`/?.?.e@@1 0pn@Bk@"&K@@AnmBCk*j@j@A"'L@@M@@ABCD@mM@  , 1/>../>..9@h@@ @lOՐDK1~=}|CD@zN@  , 1 />..0/>..4@AA@11@@  , 1%/>..5@AA@1"1!@@  , d1)/=-.	/A..@@A\1'J@  , 81./<--@@@1+H@  , 12/6,,/6,,@A	/Includecore.compare_constructor_arguments.(fun)A@1110@@  , 18/7,,/7,,@'	)Includecore.compare_constructor_argumentsG16)})@/)*N*u/)*N*x@@1L #env~)M@e@/)*N*y/)*N*|@@1U 'params1)M@e@/)*N*}/)*N*@@1^ 'params2){M@e@/)*N*/)*N*@@1g  $arg1)uM@e@/)*N*/)*N*@@1p à$arg2)uM@e@/)*N*/)*N*@@1y Ġ"l1(Q(N@@ @f$@@ @f#@04,R,h04,R,j@@1 Ƞ"l2(_(\@@ @f)@@ @f(@04,R,~04,R,@@1 1@3B@@A+A@@BPE@@'G@@AH@@]F@@ABOD@@HC@@ACD@@)@@@A)C@@(L@@AB(O@@)gF@@A)I@@BCH@  , 10<5,,|@@zAx1!H@  , 10@8,-0A8,-E@@A{1&"@!@A@BCD@G@  , |1°0J9-F-d0K9-F-@@A1@$arg1G4@A3@B2@-@A,+BC@)G@  , t1Ѱ0Y2,3,C0Z2,3,G@@A('@@ @f@@ @f@0g+**0h+**@@1 Š$arg2( @@ @f@@ @f@0u+**0v+**@@1 1,H\@B[)T@S@#!I@@ABCD@UI@  , `101+,01+,2@AA@11@@  , X201+,@AA@11@@  , L2	@A3%trace~{@@ @j3@@ @j2@01+,01+,@@2 2$|@#"I@@Az@By@y@A##J@@K@@ABCD@|K@  , 2$00++00++@y@@ @iDX2';aC@L@  ,  2000++00++@5*]@@P@iP@jP@j Bi28P@  ,  2?00++@4*\@@P@iP@j*P@j"Bw2FO@  ,  2M0.+D+O03,H,Q@@A|2K$H@  ,  2R0-++ 0-++C@@A2P)H@  ,  2W0,**0,**@@@N@i"A2Z3I@  ,  t2a0,*+0,*+@P@i+A2c<H@  ,  d2j0,**@@0A2g@H@  , h2n0***@@4@02kC@F@  , T2t06,,06,,@ABA@2r2q@@  , H2y@D@<'rec_err)6N@k@16,,16,,@@2 2~@A@@A@@A@@            ../compilerlibs!.(./typing@ 8t  1    $  $!  , 
4&Envaux&_none_@@ AA"??A@@@@@@@@@@@  , 
	A"??A@*floatarrayQ  8 @@@A@@@@@3@@@5extension_constructorP  8 @@@A@@@@@7@@@#intA  8 @@@A@@@@@;@A@$charB  8 @@@A@@@@@?@A@&stringO  8 @@@A@@@@@C@@@%floatD  8 @@@A@@@@@G@@@$boolE  8 @@%false^@@Q@$true_@@W@@@A@@@@@X@A@$unitF  8 @@"()`@@b@@@A@@@@@c@A@
#exnG  8 @@AA@@@@@g@@@%arrayH  8 @ @O@A@A@ @@@@@p@@@$listI  8 @ @P@A"[]a@@}@"::b@@ @Q@@@
@@A@Y@@@@@@@@&optionJ  8 @ @S@A$Nonec@@@$Somed@@@@@A@Y@@@@@@@@&lazy_tN  8 @ @U@A@A@Y@@@@@@@@)nativeintK  8 @@@A@@@@@@@@%int32L  8 @@@A@@@@@@@@%int64M  8 @@@A@@@@@@@@:Undefined_recursive_module]    Z@@@ @J@@ @@@ @V@@A͠=ocaml.warn_on_literal_patternѐ@@.Assert_failure\    @@ @X@@Aݠ@
0Division_by_zeroY    '@@@A堰@+End_of_fileX    /@@@A @)Sys_errorW    7@3@@A)(@.Sys_blocked_io[    @@@@A10@)Not_foundV    H@@@A9	8	@'FailureU    P@L@@ABA@0Invalid_argumentT    Y@U@@AKJ@.Stack_overflowZ    b@@@A S#R#@-Out_of_memoryS    j@@@A([+Z+@-Match_failureR    r@qmn@ @c@@A6i9h9@
%bytesC  8 @@@A@@@@@=@@@&Stdlib#Env%error _A  8 @@0Module_not_found `$Path!t@@ @M@@0typing/envaux.mlTT@@\A@@A@@@@@S@@@A_@%Error eB    @"@@ @V@@AVV@@lB)env_cachei4'Hashtbl!t:'summary@@ @l%Subst!t@@ @m@ @kJ!t@@ @n@@ @j@9X:X@@C+reset_cache@F@@ @C@$unitF@@ @C@@ @C@@R[)-S[)8@@D0env_from_summary@=@@ @/\C@@=@@ @/]C@9@@ @C@@ @@ @D@@n_nvo_n@@E3env_of_only_summary@#Env!t@@ @/C@/{
@@ @/C@/|@ @/}C@/z@ c c@@z&Format,report_errorf@&Stdlib&Format)formatter@@ @77C@7@@@ @7C@7$unitF@@ @76C@7@ @7C@7@ @7C@7@ j j@@|	@'*match*G@@AA@@BB@@mD@@ACRE@@9F@@AC@@BD@@GA  , 
# oxz s
@A&A"@@ABC@@F  , 
 . p@A,Envaux.(fun)A@,+@@  , 	3 j l-mAA3Envaux.report_errorA@21@@  , 	9 c dAA:Envaux.env_of_only_summaryA@87@@  , 	?[)9]YlAA2Envaux.reset_cacheA@>=@@  , 	EYY@٠@@ @q@@ @r@ @pC@|@@ @sC@@@ @{0Envaux.env_cacheBS^@O@A@@A@  , 	gAgA@ba@@  , 	Ti\>@\>W@@@D@E@1Aeo@%paramA@@A@B@@A@A@  , 	@}=@@<@oy
A@  , 	$) dG@@F@v#env@M/ c@@{@	A@@A@B@@A@A@  , 9 l-3]@@\A#ppfg@d@ j@@}!phN@@ @7@I k(J k)@@~@C@@A2A@@B@@AB@@CA  , }Az@@
B@@B  , ^ r _ r@@A@DA@@#tagB@@AB@dB@@AC@@B@BB  , Ȱq qr q@AA@@@  , Ͱv q@(Location%error@@E@BBР#erry@@ @B@ q q@@߰@C@@A.,B(@C@  , "@AC&  , A@@5@A/@A+  , p `KQ `Kw@@@D@/rE@/T7Envaux.env_from_summaryC#sumO@_n_n@@F%substOC@@_n_n@@G#envRE@ @cc@@H@
D@@A#exnC@@BA@@"B@@AC@B@@AC@@B@{@@@AD@  , \* `Kg `Ks@A2A@('@@  , L/= ay@@6A4,D@  , 83 ^ ^C@{C@/^C@E@ACC!s	r'summary@@ @@ \ \@@Mv#str
&stringO@@ @@ \  \@@Zw&reason5module_unbound_reason@@ @@ \ \@@fx#envG@@ ] ]@@nyi@G@@AX@BD@@6F@@AC+E@@ZYBDWSG@  ,  {H@A>v
GA  , ( ]) ]@ABE~@k@ABCeaF  , 3 ]W@@AN	F@  , 7 [8 [@[E@C!sX@@ @@H Y$?I Y$@@@r#strV@@ @@S Y$BT Y$E@@s&reason4value_unbound_reason@@ @@_ Y$G` Y$M@@t#envG@@g ZR`h ZRc@@u@G@@A@BD@@2F@@AC)E@@BDG@  , A@A:
GA  , Ӱ| ZRf} ZR~@AېBAҰ@@ABCF  , ް ZR\P@@AJ	F@  ,  X  X#@E@}B!s@@ @|@ V V@@o"id%Ident!t@@ @}@ V V@@p#envHG@a@ W W@@
q@
F@@A@BD@@*E@@ABCF@  , |6@A/FA  , x W W@A$B6@@ABCE  , l' WE@@.A?$	E@  , H+ U{ U{@E@Y6B6!s@@ @x@ S/F S/G@@>m#envG@=@ TKY TK\@@FnA@
E@@A/@D@@AB.-C+'E@  , 4O$@TAJ	EA  , 0S TK_ TKw@A[B$R@>B;:C84D  , $] TKU2@@dA,ZD@  , a
 N
[
e R.@0C@C@nCn!s+@@ @s@ M
8
P M
8
Q@@vi#map$Path#Map!t%Types0type_declaration@@ @u@@ @t@5 M
8
S6 M
8
V@@j@x@AD@@+E@@ABxwCuqE@  , B O
s
C Q
@A=Envaux.env_from_summary.(fun)A@@@  , H R>@?C@B;E@  , F@A=E@  , R L

+S L

7@vE@_B@D@@A@BCD@  , @AD@  , hc Ilvd K

@E@ŐFȠ!s@@ @d@u G
-v G
.@@d"id!t@@ @e@ G
0 G
2@@e$pres]/module_presence@@ @f@ G
4 G
8@@f$desci2module_declaration@@ @g@ G
: G
>@@g#id' !t@@ @i@ G
A G
D@@h@Q@F@@AB@;H@@AE@@B0G@@JI@@ABCDI@  , @ J J@2module_declaration@@G@G@QH@E$C_M@  ,  " Kh@C@]C@!.Bi%(L@  , ,r@1Ak'*I@  , . HFW HFh@@@F@G@=Bx47I@  , ;
@@Az69I@  , H= E E@#exnG@@H@H@NBP!s
@@ @Y@



@@X_$path!t@@ @Z@




@@e`#env_G@@ @

 @

@@ma%path'`$Path!t@@ @G@@# A

$ A
@@~by@oIrH@@A#F@@m@AB2D@@!G@@AAE@@BpoCDmiI@  , <: E; E@AA@@@  , 0Y@ALI@  , ,A DB D@gE@E@BW#I@  , @AY%I@  , N CpO Cp@@A_#envn@@ @p@X CpY Cp@@c@2@AI21B0/DI@  , d B&<e B&j@&Stdlib&result@@ @ࠠ'Functor@)Not_found@@ @ @A@@ @@@ @ܐFӰ@U@A@BSRDG@  , ް B&0 F	@@A	GA  ,  A
 A
"@ABb@_@ABCF  ,  A

@@A	FA  , | @

 @

@AB@@AuBCE  , p @

#@@A	E@  , L}
-
7~
o
@E@C!s@@ @S@|
	
|
	
@@\"id#!t@@ @T@|
	
 |
	
"@@&]$desc6class_type_declaration@@ @U@|
	
$|
	
(@@2^-@D@@A@BE@@,F@@ABCF@  , 8=}
-
I}
-
n@6class_type_declaration@@G@G@H@OB?FG@  ,  M~
o
H@3C@cC@C@C@V]BMT'F@  , [V@`AOV)F@  , ]z		{	
@*E@UhCi!s&@@ @L@y	t	y	t	@@qY"id{!t@@ @M@#y	t	$y	t	@@~Z$desc1class_declaration@@ @N@/y	t	0y	t	@@[@D@@As@BE@@,F@@AtsBCqmF@  , >z		?z		@1class_declaration@@G@WG@qH@jB?G@  , N{		H@\C@}C@
BI#F@  , R@AK%F@  , Zw	 [x	?	s@~E@	C!sz@@ @E@jvkv@@V"id!t@@ @F@wvxv@@W$descR3modtype_declaration@@ @G@vv@@Xٰ@D@@A@BE@@,F@@ABCF@  , pw	w	>@n3modtype_declaration@@G@G@0H@$C?G@  , Tx	?	YH@XC@<C@
BI#F@  , HR@AK%F@  , s:Du@E@F!s@@ @=@r$r%@@R"idJ@@ @>@r'r)@@$S$presG@@ @?@r+r/@@.T$descE@@ @@@r1r5@@8U3@D@@A!@%F@@ABE@@3G@@A$#BC!G@  , Etttt@3@@G@G@H@3UCELK@  , SuN@^C@C@_BOV#J@  , ]X@bAQX%G@  , _o{	q@,E@jEk!s(@@ @5@nUknUl@@sO"id}!t@@ @6@%nUn&nUp@@P$desc 5extension_constructor@@ @7@1nUr2nUv@@Q@D@@Au@BE@@,F@@AvuBCsoF@  , h@pAp@5extension_constructor@@G@G@H@B?J@  , LPqH@XC@C@\BI#I@  , 0R@AK%F@  , \k]m.T@E@[D!s|@@ @.@ljmj@@L"id!t@@ @/@yjzj@@M$descT0type_declaration@@ @0@jj@@N۰@D@@A@BE@@,F@@ABCF@  , l
l-@p0type_declaration@@G@]G@|H@uB?J@  , m.:H@XC@C@BI#I@  , R@
AK %F@  , hCMi@E@D!s@@ @'@g!3g!4@@I"id%!t@@ @(@g!6g!8@@(J$desc1value_description@@ @)@g!:g!>@@4K/@D@@A@BE@@,F@@ABCF@  , h?hC^hC@1value_description@@G@G@0H@)QB?HJ@  , LOiH@WBENI@  , 0UN@ZAGP!F@  ,  W f
f
 @@_A\U@A@A>=B;7C@  ,  _c1@@fAc\C@  ,  ca
a@lBjc@KJBHDF@  ,  |la	@AsA@ih@@  ,  dp`B@@w@tm
B@  ,  Dt P

 P

@!t@@H@H@I@B$patho$Path#Map#key@@ @@; O
s
