(**************************************************************************)
(*                                                                        *)
(*                                 OCaml                                  *)
(*                                                                        *)
(*             Xavier Leroy, projet Cristal, INRIA Rocquencourt           *)
(*                                                                        *)
(*   Copyright 1996 Institut National de Recherche en Informatique et     *)
(*     en Automatique.                                                    *)
(*                                                                        *)
(*   All rights reserved.  This file is distributed under the terms of    *)
(*   the GNU Lesser General Public License version 2.1, with the          *)
(*   special exception on linking described in the file LICENSE.          *)
(*                                                                        *)
(**************************************************************************)

(* NOTE:
   If this file is unixLabels.mli, run tools/sync_stdlib_docs after editing it
   to generate unix.mli.

   If this file is unix.mli, do not edit it directly -- edit unixLabels.mli
   instead.
*)

(* NOTE:
   When a new function is added which is not implemented on Windows (or
   partially implemented), or the Windows-status of an existing function is
   changed, remember to update the summary table in
   manual/src/library/libunix.etex
*)

(** Interface to the Unix system.

   To use the labeled version of this module, add [module Unix][ = ][UnixLabels]
   in your implementation.

   Note: all the functions of this module (except {!error_message} and
   {!handle_unix_error}) are liable to raise the {!Unix_error}
   exception whenever the underlying system call signals an error.
*)

(** {1 Error report} *)


type error =
    E2BIG               (** Argument list too long *)
  | EACCES              (** Permission denied *)
  | EAGAIN              (** Resource temporarily unavailable; try again *)
  | EBADF               (** Bad file descriptor *)
  | EBUSY               (** Resource unavailable *)
  | ECHILD              (** No child process *)
  | EDEADLK             (** Resource deadlock would occur *)
  | EDOM                (** Domain error for math functions, etc. *)
  | EEXIST              (** File exists *)
  | EFAULT              (** Bad address *)
  | EFBIG               (** File too large *)
  | EINTR               (** Function interrupted by signal *)
  | EINVAL              (** Invalid argument *)
  | EIO                 (** Hardware I/O error *)
  | EISDIR              (** Is a directory *)
  | EMFILE              (** Too many open files by the process *)
  | EMLINK              (** Too many links *)
  | ENAMETOOLONG        (** Filename too long *)
  | ENFILE              (** Too many open files in the system *)
  | ENODEV              (** No such device *)
  | ENOENT              (** No such file or directory *)
  | ENOEXEC             (** Not an executable file *)
  | ENOLCK              (** No locks available *)
  | ENOMEM              (** Not enough memory *)
  | ENOSPC              (** No space left on device *)
  | ENOSYS              (** Function not supported *)
  | ENOTDIR             (** Not a directory *)
  | ENOTEMPTY           (** Directory not empty *)
  | ENOTTY              (** Inappropriate I/O control operation *)
  | ENXIO               (** No such device or address *)
  | EPERM               (** Operation not permitted *)
  | EPIPE               (** Broken pipe *)
  | ERANGE              (** Result too large *)
  | EROFS               (** Read-only file system *)
  | ESPIPE              (** Invalid seek e.g. on a pipe *)
  | ESRCH               (** No such process *)
  | EXDEV               (** Invalid link *)
  | EWOULDBLOCK         (** Operation would block *)
  | EINPROGRESS         (** Operation now in progress *)
  | EALREADY            (** Operation already in progress *)
  | ENOTSOCK            (** Socket operation on non-socket *)
  | EDESTADDRREQ        (** Destination address required *)
  | EMSGSIZE            (** Message too long *)
  | EPROTOTYPE          (** Protocol wrong type for socket *)
  | ENOPROTOOPT         (** Protocol not available *)
  | EPROTONOSUPPORT     (** Protocol not supported *)
  | ESOCKTNOSUPPORT     (** Socket type not supported *)
  | EOPNOTSUPP          (** Operation not supported on socket *)
  | EPFNOSUPPORT        (** Protocol family not supported *)
  | EAFNOSUPPORT        (** Address family not supported by protocol family *)
  | EADDRINUSE          (** Address already in use *)
  | EADDRNOTAVAIL       (** Can't assign requested address *)
  | ENETDOWN            (** Network is down *)
  | ENETUNREACH         (** Network is unreachable *)
  | ENETRESET           (** Network dropped connection on reset *)
  | ECONNABORTED        (** Software caused connection abort *)
  | ECONNRESET          (** Connection reset by peer *)
  | ENOBUFS             (** No buffer space available *)
  | EISCONN             (** Socket is already connected *)
  | ENOTCONN            (** Socket is not connected *)
  | ESHUTDOWN           (** Can't send after socket shutdown *)
  | ETOOMANYREFS        (** Too many references: can't splice *)
  | ETIMEDOUT           (** Connection timed out *)
  | ECONNREFUSED        (** Connection refused *)
  | EHOSTDOWN           (** Host is down *)
  | EHOSTUNREACH        (** No route to host *)
  | ELOOP               (** Too many levels of symbolic links *)
  | EOVERFLOW           (** File size or position not representable *)

  | EUNKNOWNERR of int  (** Unknown error *)
(** The type of error codes.
   Errors defined in the POSIX standard
   and additional errors from UNIX98 and BSD.
   All other errors are mapped to EUNKNOWNERR.
*)


exception Unix_error of error * string * string
(** Raised by the system calls below when an error is encountered.
   The first component is the error code; the second component
   is the function name; the third component is the string parameter
   to the function, if it has one, or the empty string otherwise.

   {!UnixLabels.Unix_error} and {!Unix.Unix_error} are the same, and
   catching one will catch the other. *)

val error_message : error -> string
(** Return a string describing the given error code. *)

val handle_unix_error : ('a -> 'b) -> 'a -> 'b
(** [handle_unix_error f x] applies [f] to [x] and returns the result.
   If the exception {!Unix_error} is raised, it prints a message
   describing the error and exits with code 2. *)


(** {1 Access to the process environment} *)


val environment : unit -> string array
(** Return the process environment, as an array of strings
    with the format ``variable=value''.  The returned array
    is empty if the process has special privileges. *)

val unsafe_environment : unit -> string array
(** Return the process environment, as an array of strings with the
    format ``variable=value''.  Unlike {!environment}, this function
    returns a populated array even if the process has special
    privileges.  See the documentation for {!unsafe_getenv} for more
    details.

    @since 4.06.0 (4.12.0 in UnixLabels) *)

val getenv : string -> string
(** Return the value associated to a variable in the process
   environment, unless the process has special privileges.
   @raise Not_found if the variable is unbound or the process has
   special privileges.

   This function is identical to {!Sys.getenv}. *)

val unsafe_getenv : string -> string
(** Return the value associated to a variable in the process
   environment.

   Unlike {!getenv}, this function returns the value even if the
   process has special privileges. It is considered unsafe because the
   programmer of a setuid or setgid program must be careful to avoid
   using maliciously crafted environment variables in the search path
   for executables, the locations for temporary files or logs, and the
   like.

   @raise Not_found if the variable is unbound.
   @since 4.06.0  *)

val putenv : string -> string -> unit
(** [putenv name value] sets the value associated to a
   variable in the process environment.
   [name] is the name of the environment variable,
   and [value] its new associated value. *)


(** {1 Process handling} *)


type process_status =
    WEXITED of int
        (** The process terminated normally by [exit];
           the argument is the return code. *)
  | WSIGNALED of int
        (** The process was killed by a signal;
           the argument is the signal number. *)
  | WSTOPPED of int
        (** The process was stopped by a signal; the argument is the
           signal number. *)
(** The termination status of a process.  See module {!Sys} for the
    definitions of the standard signal numbers.  Note that they are
    not the numbers used by the OS. *)


type wait_flag =
    WNOHANG (** Do not block if no child has
               died yet, but immediately return with a pid equal to 0. *)
  | WUNTRACED (** Report also the children that receive stop signals. *)
(** Flags for {!waitpid}. *)

val execv : string -> string array -> 'a
(** [execv prog args] execute the program in file [prog], with
   the arguments [args], and the current process environment.
   These [execv*] functions never return: on success, the current
   program is replaced by the new one.
   @raise Unix_error on failure *)

val execve : string -> string array -> string array -> 'a
(** Same as {!execv}, except that the third argument provides the
   environment to the program executed. *)

val execvp : string -> string array -> 'a
(** Same as {!execv}, except that
   the program is searched in the path. *)

val execvpe : string -> string array -> string array -> 'a
(** Same as {!execve}, except that
   the program is searched in the path. *)

val fork : unit -> int
(** Fork a new process. The returned integer is 0 for the child
   process, the pid of the child process for the parent process.

   On Windows: not implemented, use {!create_process} or threads. *)

val wait : unit -> int * process_status
(** Wait until one of the children processes die, and return its pid
   and termination status.

   On Windows: not implemented, use {!waitpid}. *)

val waitpid : wait_flag list -> int -> int * process_status
(** Same as {!wait}, but waits for the child process whose pid is given.
   A pid of [-1] means wait for any child.
   A pid of [0] means wait for any child in the same process group
   as the current process.
   Negative pid arguments represent process groups.
   The list of options indicates whether [waitpid] should return
   immediately without waiting, and whether it should report stopped
   children.

   On Windows: can only wait for a given PID, not any child process. *)

val system : string -> process_status
(** Execute the given command, wait until it terminates, and return
   its termination status. The string is interpreted by the shell
   [/bin/sh] (or the command interpreter [cmd.exe] on Windows) and
   therefore can contain redirections, quotes, variables, etc.
   To properly quote whitespace and shell special characters occurring
   in file names or command arguments, the use of
   {!Filename.quote_command} is recommended.
   The result [WEXITED 127] indicates that the shell couldn't be
   executed. *)

val _exit : int -> 'a
(** Terminate the calling process immediately, returning the given
   status code to the operating system: usually 0 to indicate no
   errors, and a small positive integer to indicate failure.
   Unlike {!Stdlib.exit}, {!Unix._exit} performs no finalization
   whatsoever: functions registered with {!Stdlib.at_exit} are not called,
   input/output channels are not flushed, and the C run-time system
   is not finalized either.

   The typical use of {!Unix._exit} is after a {!Unix.fork} operation,
   when the child process runs into a fatal error and must exit.  In
   this case, it is preferable to not perform any finalization action
   in the child process, as these actions could interfere with similar
   actions performed by the parent process.  For example, output
   channels should not be flushed by the child process, as the parent
   process may flush them again later, resulting in duplicate
   output.

   @since 4.12.0 *)

val getpid : unit -> int
(** Return the pid of the process. *)

val getppid : unit -> int
(** Return the pid of the parent process.

    On Windows: not implemented (because it is meaningless). *)

val nice : int -> int
(** Change the process priority. The integer argument is added to the
   ``nice'' value. (Higher values of the ``nice'' value mean
   lower priorities.) Return the new nice value.

   On Windows: not implemented. *)

(** {1 Basic file input/output} *)


type file_descr
(** The abstract type of file descriptors. *)

val stdin : file_descr
(** File descriptor for standard input.*)

val stdout : file_descr
(** File descriptor for standard output.*)

val stderr : file_descr
(** File descriptor for standard error. *)

type open_flag =
    O_RDONLY                    (** Open for reading *)
  | O_WRONLY                    (** Open for writing *)
  | O_RDWR                      (** Open for reading and writing *)
  | O_NONBLOCK                  (** Open in non-blocking mode *)
  | O_APPEND                    (** Open for append *)
  | O_CREAT                     (** Create if nonexistent *)
  | O_TRUNC                     (** Truncate to 0 length if existing *)
  | O_EXCL                      (** Fail if existing *)
  | O_NOCTTY                    (** Don't make this dev a controlling tty *)
  | O_DSYNC                     (** Writes complete as `Synchronised I/O data
                                    integrity completion' *)
  | O_SYNC                      (** Writes complete as `Synchronised I/O file
                                    integrity completion' *)
  | O_RSYNC                     (** Reads complete as writes (depending
                                    on O_SYNC/O_DSYNC) *)
  | O_SHARE_DELETE              (** Windows only: allow the file to be deleted
                                    while still open *)
  | O_CLOEXEC                   (** Set the close-on-exec flag on the
                                   descriptor returned by {!openfile}.
                                   See {!set_close_on_exec} for more
                                   information. *)
  | O_KEEPEXEC                  (** Clear the close-on-exec flag.
                                    This is currently the default. *)
(** The flags to {!openfile}. *)


type file_perm = int
(** The type of file access rights, e.g. [0o640] is read and write for user,
    read for group, none for others *)

val openfile : string -> open_flag list -> file_perm -> file_descr
(** Open the named file with the given flags. Third argument is the
   permissions to give to the file if it is created (see
   {!umask}). Return a file descriptor on the named file. *)

val close : file_descr -> unit
(** Close a file descriptor. *)

val fsync : file_descr -> unit
(** Flush file buffers to disk.

    @since 4.08.0 (4.12.0 in UnixLabels) *)

val read : file_descr -> bytes -> int -> int -> int
(** [read fd buf pos len] reads [len] bytes from descriptor [fd],
    storing them in byte sequence [buf], starting at position [pos] in
    [buf]. Return the number of bytes actually read. *)

val write : file_descr -> bytes -> int -> int -> int
(** [write fd buf pos len] writes [len] bytes to descriptor [fd],
    taking them from byte sequence [buf], starting at position [pos]
    in [buff]. Return the number of bytes actually written.  [write]
    repeats the writing operation until all bytes have been written or
    an error occurs.  *)

val single_write : file_descr -> bytes -> int -> int -> int
(** Same as {!write}, but attempts to write only once.
   Thus, if an error occurs, [single_write] guarantees that no data
   has been written. *)

val write_substring : file_descr -> string -> int -> int -> int
(** Same as {!write}, but take the data from a string instead of a byte
    sequence.
    @since 4.02.0 *)

val single_write_substring :
  file_descr -> string -> int -> int -> int
(** Same as {!single_write}, but take the data from a string instead of
    a byte sequence.
    @since 4.02.0 *)

(** {1 Interfacing with the standard input/output library} *)



val in_channel_of_descr : file_descr -> in_channel
(** Create an input channel reading from the given descriptor.
   The channel is initially in binary mode; use
   [set_binary_mode_in ic false] if text mode is desired.
   Text mode is supported only if the descriptor refers to a file
   or pipe, but is not supported if it refers to a socket.

   On Windows: {!Stdlib.set_binary_mode_in} always fails on channels
   created with this function.

   Beware that input channels are buffered, so more characters may
   have been read from the descriptor than those accessed using
   channel functions.  Channels also keep a copy of the current
   position in the file.

   Closing the channel [ic] returned by [in_channel_of_descr fd]
   using [close_in ic] also closes the underlying descriptor [fd].
   It is incorrect to close both the channel [ic] and the descriptor [fd].

   If several channels are created on the same descriptor, one of the
   channels must be closed, but not the others.
   Consider for example a descriptor [s] connected to a socket and two
   channels [ic = in_channel_of_descr s] and [oc = out_channel_of_descr s].
   The recommended closing protocol is to perform [close_out oc],
   which flushes buffered output to the socket then closes the socket.
   The [ic] channel must not be closed and will be collected by the GC
   eventually.
*)

val out_channel_of_descr : file_descr -> out_channel
(** Create an output channel writing on the given descriptor.
   The channel is initially in binary mode; use
   [set_binary_mode_out oc false] if text mode is desired.
   Text mode is supported only if the descriptor refers to a file
   or pipe, but is not supported if it refers to a socket.

   On Windows: {!Stdlib.set_binary_mode_out} always fails on channels created
   with this function.

   Beware that output channels are buffered, so you may have to call
   {!Stdlib.flush} to ensure that all data has been sent to the
   descriptor.  Channels also keep a copy of the current position in
   the file.

   Closing the channel [oc] returned by [out_channel_of_descr fd]
   using [close_out oc] also closes the underlying descriptor [fd].
   It is incorrect to close both the channel [ic] and the descriptor [fd].

   See {!Unix.in_channel_of_descr} for a discussion of the closing
   protocol when several channels are created on the same descriptor.
*)

val descr_of_in_channel : in_channel -> file_descr
(** Return the descriptor corresponding to an input channel. *)

val descr_of_out_channel : out_channel -> file_descr
(** Return the descriptor corresponding to an output channel. *)


(** {1 Seeking and truncating} *)


type seek_command =
    SEEK_SET (** indicates positions relative to the beginning of the file *)
  | SEEK_CUR (** indicates positions relative to the current position *)
  | SEEK_END (** indicates positions relative to the end of the file *)
(** Positioning modes for {!lseek}. *)


val lseek : file_descr -> int -> seek_command -> int
(** Set the current position for a file descriptor, and return the resulting
    offset (from the beginning of the file). *)

val truncate : string -> int -> unit
(** Truncates the named file to the given size. *)

val ftruncate : file_descr -> int -> unit
(** Truncates the file corresponding to the given descriptor
   to the given size. *)


(** {1 File status} *)


type file_kind =
    S_REG                       (** Regular file *)
  | S_DIR                       (** Directory *)
  | S_CHR                       (** Character device *)
  | S_BLK                       (** Block device *)
  | S_LNK                       (** Symbolic link *)
  | S_FIFO                      (** Named pipe *)
  | S_SOCK                      (** Socket *)

type stats =
  { st_dev : int;               (** Device number *)
    st_ino : int;               (** Inode number *)
    st_kind : file_kind;        (** Kind of the file *)
    st_perm : file_perm;        (** Access rights *)
    st_nlink : int;             (** Number of links *)
    st_uid : int;               (** User id of the owner *)
    st_gid : int;               (** Group ID of the file's group *)
    st_rdev : int;              (** Device ID (if special file) *)
    st_size : int;              (** Size in bytes *)
    st_atime : float;           (** Last access time *)
    st_mtime : float;           (** Last modification time *)
    st_ctime : float;           (** Last status change time *)
  }
(** The information returned by the {!stat} calls. *)

val stat : string -> stats
(** Return the information for the named file. *)

val lstat : string -> stats
(** Same as {!stat}, but in case the file is a symbolic link,
   return the information for the link itself. *)

val fstat : file_descr -> stats
(** Return the information for the file associated with the given
   descriptor. *)

val isatty : file_descr -> bool
(** Return [true] if the given file descriptor refers to a terminal or
   console window, [false] otherwise. *)

(** {1 File operations on large files} *)

module LargeFile :
  sig
    val lseek : file_descr -> int64 -> seek_command -> int64
    (** See [lseek]. *)

    val truncate : string -> int64 -> unit
    (** See [truncate]. *)

    val ftruncate : file_descr -> int64 -> unit
    (** See [ftruncate]. *)

    type stats =
      { st_dev : int;               (** Device number *)
        st_ino : int;               (** Inode number *)
        st_kind : file_kind;        (** Kind of the file *)
        st_perm : file_perm;        (** Access rights *)
        st_nlink : int;             (** Number of links *)
        st_uid : int;               (** User id of the owner *)
        st_gid : int;               (** Group ID of the file's group *)
        st_rdev : int;              (** Device ID (if special file) *)
        st_size : int64;            (** Size in bytes *)
        st_atime : float;           (** Last access time *)
        st_mtime : float;           (** Last modification time *)
        st_ctime : float;           (** Last status change time *)
      }
    val stat : string -> stats
    val lstat : string -> stats
    val fstat : file_descr -> stats
  end
(** File operations on large files.
  This sub-module provides 64-bit variants of the functions
  {!lseek} (for positioning a file descriptor),
  {!truncate} and {!ftruncate}
  (for changing the size of a file),
  and {!stat}, {!lstat} and {!fstat}
  (for obtaining information on files).  These alternate functions represent
  positions and sizes by 64-bit integers (type [int64]) instead of
  regular integers (type [int]), thus allowing operating on files
  whose sizes are greater than [max_int]. *)

(** {1 Mapping files into memory} *)

val map_file :
  file_descr ->
  ?pos (* thwart tools/sync_stdlib_docs *):int64 ->
  ('a, 'b) Stdlib.Bigarray.kind ->
  'c Stdlib.Bigarray.layout -> bool -> int array ->
  ('a, 'b, 'c) Stdlib.Bigarray.Genarray.t
(** Memory mapping of a file as a Bigarray.
  [map_file fd kind layout shared dims]
  returns a Bigarray of kind [kind], layout [layout],
  and dimensions as specified in [dims].  The data contained in
  this Bigarray are the contents of the file referred to by
  the file descriptor [fd] (as opened previously with
  {!openfile}, for example).  The optional [pos] parameter
  is the byte offset in the file of the data being mapped;
  it defaults to 0 (map from the beginning of the file).

  If [shared] is [true], all modifications performed on the array
  are reflected in the file.  This requires that [fd] be opened
  with write permissions.  If [shared] is [false], modifications
  performed on the array are done in memory only, using
  copy-on-write of the modified pages; the underlying file is not
  affected.

  [Genarray.map_file] is much more efficient than reading
  the whole file in a Bigarray, modifying that Bigarray,
  and writing it afterwards.

  To adjust automatically the dimensions of the Bigarray to
  the actual size of the file, the major dimension (that is,
  the first dimension for an array with C layout, and the last
  dimension for an array with Fortran layout) can be given as
  [-1].  [Genarray.map_file] then determines the major dimension
  from the size of the file.  The file must contain an integral
  number of sub-arrays as determined by the non-major dimensions,
  otherwise [Failure] is raised.

  If all dimensions of the Bigarray are given, the file size is
  matched against the size of the Bigarray.  If the file is larger
  than the Bigarray, only the initial portion of the file is
  mapped to the Bigarray.  If the file is smaller than the big
  array, the file is automatically grown to the size of the Bigarray.
  This requires write permissions on [fd].

  Array accesses are bounds-checked, but the bounds are determined by
  the initial call to [map_file]. Therefore, you should make sure no
  other process modifies the mapped file while you're accessing it,
  or a SIGBUS signal may be raised. This happens, for instance, if the
  file is shrunk.

  [Invalid_argument] or [Failure] may be raised in cases where argument
  validation fails.
  @since 4.06.0 *)

(** {1 Operations on file names} *)


val unlink : string -> unit
(** Removes the named file.

    If the named file is a directory, raises:
    {ul
    {- [EPERM] on POSIX compliant system}
    {- [EISDIR] on Linux >= 2.1.132}
    {- [EACCESS] on Windows}}
*)

val rename : string -> string -> unit
(** [rename src dst] changes the name of a file from [src] to [dst],
    moving it between directories if needed.  If [dst] already
    exists, its contents will be replaced with those of [src].
    Depending on the operating system, the metadata (permissions,
    owner, etc) of [dst] can either be preserved or be replaced by
    those of [src].  *)

val link : ?follow (* thwart tools/sync_stdlib_docs *) :bool ->
           string -> string -> unit
(** [link ?follow src dst] creates a hard link named [dst] to the file
   named [src].

   @param follow indicates whether a [src] symlink is followed or a
   hardlink to [src] itself will be created. On {e Unix} systems this is
   done using the [linkat(2)] function. If [?follow] is not provided, then the
   [link(2)] function is used whose behaviour is OS-dependent, but more widely
   available.

   @raise ENOSYS On {e Unix} if [~follow:_] is requested, but linkat is
                 unavailable.
   @raise ENOSYS On {e Windows} if [~follow:false] is requested. *)

val realpath : string -> string
(** [realpath p] is an absolute pathname for [p] obtained by resolving
    all extra [/] characters, relative path segments and symbolic links.

    @since 4.13.0 *)

(** {1 File permissions and ownership} *)


type access_permission =
    R_OK                        (** Read permission *)
  | W_OK                        (** Write permission *)
  | X_OK                        (** Execution permission *)
  | F_OK                        (** File exists *)
(** Flags for the {!access} call. *)


val chmod : string -> file_perm -> unit
(** Change the permissions of the named file. *)

val fchmod : file_descr -> file_perm -> unit
(** Change the permissions of an opened file.

    On Windows: not implemented. *)

val chown : string -> int -> int -> unit
(** Change the owner uid and owner gid of the named file.

    On Windows: not implemented. *)

val fchown : file_descr -> int -> int -> unit
(** Change the owner uid and owner gid of an opened file.

    On Windows: not implemented. *)

val umask : int -> int
(** Set the process's file mode creation mask, and return the previous
    mask.

    On Windows: not implemented. *)

val access : string -> access_permission list -> unit
(** Check that the process has the given permissions over the named file.

   On Windows: execute permission [X_OK] cannot be tested, just
   tests for read permission instead.

   @raise Unix_error otherwise.
   *)


(** {1 Operations on file descriptors} *)


val dup : ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
          file_descr -> file_descr
(** Return a new file descriptor referencing the same file as
   the given descriptor.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val dup2 : ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
           file_descr -> file_descr -> unit
(** [dup2 src dst] duplicates [src] to [dst], closing [dst] if already
   opened.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val set_nonblock : file_descr -> unit
(** Set the ``non-blocking'' flag on the given descriptor.
   When the non-blocking flag is set, reading on a descriptor
   on which there is temporarily no data available raises the
   [EAGAIN] or [EWOULDBLOCK] error instead of blocking;
   writing on a descriptor on which there is temporarily no room
   for writing also raises [EAGAIN] or [EWOULDBLOCK]. *)

val clear_nonblock : file_descr -> unit
(** Clear the ``non-blocking'' flag on the given descriptor.
   See {!set_nonblock}.*)

val set_close_on_exec : file_descr -> unit
(** Set the ``close-on-exec'' flag on the given descriptor.
   A descriptor with the close-on-exec flag is automatically
   closed when the current process starts another program with
   one of the [exec], [create_process] and [open_process] functions.

   It is often a security hole to leak file descriptors opened on, say,
   a private file to an external program: the program, then, gets access
   to the private file and can do bad things with it.  Hence, it is
   highly recommended to set all file descriptors ``close-on-exec'',
   except in the very few cases where a file descriptor actually needs
   to be transmitted to another program.

   The best way to set a file descriptor ``close-on-exec'' is to create
   it in this state.  To this end, the [openfile] function has
   [O_CLOEXEC] and [O_KEEPEXEC] flags to enforce ``close-on-exec'' mode
   or ``keep-on-exec'' mode, respectively.  All other operations in
   the Unix module that create file descriptors have an optional
   argument [?cloexec:bool] to indicate whether the file descriptor
   should be created in ``close-on-exec'' mode (by writing
   [~cloexec:true]) or in ``keep-on-exec'' mode (by writing
   [~cloexec:false]).  For historical reasons, the default file
   descriptor creation mode is ``keep-on-exec'', if no [cloexec] optional
   argument is given.  This is not a safe default, hence it is highly
   recommended to pass explicit [cloexec] arguments to operations that
   create file descriptors.

   The [cloexec] optional arguments and the [O_KEEPEXEC] flag were introduced
   in OCaml 4.05.  Earlier, the common practice was to create file descriptors
   in the default, ``keep-on-exec'' mode, then call [set_close_on_exec]
   on those freshly-created file descriptors.  This is not as safe as
   creating the file descriptor in ``close-on-exec'' mode because, in
   multithreaded programs, a window of vulnerability exists between the time
   when the file descriptor is created and the time [set_close_on_exec]
   completes.  If another thread spawns another program during this window,
   the descriptor will leak, as it is still in the ``keep-on-exec'' mode.

   Regarding the atomicity guarantees given by [~cloexec:true] or by
   the use of the [O_CLOEXEC] flag: on all platforms it is guaranteed
   that a concurrently-executing Caml thread cannot leak the descriptor
   by starting a new process.  On Linux, this guarantee extends to
   concurrently-executing C threads.  As of Feb 2017, other operating
   systems lack the necessary system calls and still expose a window
   of vulnerability during which a C thread can see the newly-created
   file descriptor in ``keep-on-exec'' mode.
 *)

val clear_close_on_exec : file_descr -> unit
(** Clear the ``close-on-exec'' flag on the given descriptor.
   See {!set_close_on_exec}.*)


(** {1 Directories} *)


val mkdir : string -> file_perm -> unit
(** Create a directory with the given permissions (see {!umask}). *)

val rmdir : string -> unit
(** Remove an empty directory. *)

val chdir : string -> unit
(** Change the process working directory. *)

val getcwd : unit -> string
(** Return the name of the current working directory. *)

val chroot : string -> unit
(** Change the process root directory.

    On Windows: not implemented. *)

type dir_handle
(** The type of descriptors over opened directories. *)

val opendir : string -> dir_handle
(** Open a descriptor on a directory *)

val readdir : dir_handle -> string
(** Return the next entry in a directory.
   @raise End_of_file when the end of the directory has been reached. *)

val rewinddir : dir_handle -> unit
(** Reposition the descriptor to the beginning of the directory *)

val closedir : dir_handle -> unit
(** Close a directory descriptor. *)



(** {1 Pipes and redirections} *)


val pipe : ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
           unit -> file_descr * file_descr
(** Create a pipe. The first component of the result is opened
   for reading, that's the exit to the pipe. The second component is
   opened for writing, that's the entrance to the pipe.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val mkfifo : string -> file_perm -> unit
(** Create a named pipe with the given permissions (see {!umask}).

   On Windows: not implemented. *)


(** {1 High-level process and redirection management} *)


val create_process :
  string -> string array -> file_descr -> file_descr ->
    file_descr -> int
(** [create_process prog args stdin stdout stderr]
   forks a new process that executes the program
   in file [prog], with arguments [args]. The pid of the new
   process is returned immediately; the new process executes
   concurrently with the current process.
   The standard input and outputs of the new process are connected
   to the descriptors [stdin], [stdout] and [stderr].
   Passing e.g. [Stdlib.stdout] for [stdout] prevents the redirection
   and causes the new process to have the same standard output
   as the current process.
   The executable file [prog] is searched in the path.
   The new process has the same environment as the current process. *)

val create_process_env :
  string -> string array -> string array -> file_descr ->
    file_descr -> file_descr -> int
(** [create_process_env prog args env stdin stdout stderr]
   works as {!create_process}, except that the extra argument
   [env] specifies the environment passed to the program. *)


val open_process_in : string -> in_channel
(** High-level pipe and process management. This function
   runs the given command in parallel with the program.
   The standard output of the command is redirected to a pipe,
   which can be read via the returned input channel.
   The command is interpreted by the shell [/bin/sh]
   (or [cmd.exe] on Windows), cf. {!system}.
   The {!Filename.quote_command} function can be used to
   quote the command and its arguments as appropriate for the shell being
   used.  If the command does not need to be run through the shell,
   {!open_process_args_in} can be used as a more robust and
   more efficient alternative to {!open_process_in}. *)

val open_process_out : string -> out_channel
(** Same as {!open_process_in}, but redirect the standard input of
   the command to a pipe.  Data written to the returned output channel
   is sent to the standard input of the command.
   Warning: writes on output channels are buffered, hence be careful
   to call {!Stdlib.flush} at the right times to ensure
   correct synchronization.
   If the command does not need to be run through the shell,
   {!open_process_args_out} can be used instead of
   {!open_process_out}. *)

val open_process : string -> in_channel * out_channel
(** Same as {!open_process_out}, but redirects both the standard input
   and standard output of the command to pipes connected to the two
   returned channels.  The input channel is connected to the output
   of the command, and the output channel to the input of the command.
   If the command does not need to be run through the shell,
   {!open_process_args} can be used instead of
   {!open_process}. *)

val open_process_full :
  string -> string array -> in_channel * out_channel * in_channel
(** Similar to {!open_process}, but the second argument specifies
   the environment passed to the command.  The result is a triple
   of channels connected respectively to the standard output, standard input,
   and standard error of the command.
   If the command does not need to be run through the shell,
   {!open_process_args_full} can be used instead of
   {!open_process_full}. *)

val open_process_args_in : string -> string array -> in_channel
(** [open_process_args_in prog args] runs the program [prog] with arguments
    [args].  The new process executes concurrently with the current process.
    The standard output of the new process is redirected to a pipe, which can be
    read via the returned input channel.

    The executable file [prog] is searched in the path. This behaviour changed
    in 4.12; previously [prog] was looked up only in the current directory.

    The new process has the same environment as the current process.

    @since 4.08.0 *)

val open_process_args_out : string -> string array -> out_channel
(** Same as {!open_process_args_in}, but redirect the standard input of the new
    process to a pipe.  Data written to the returned output channel is sent to
    the standard input of the program.  Warning: writes on output channels are
    buffered, hence be careful to call {!Stdlib.flush} at the right times to
    ensure correct synchronization.

    @since 4.08.0 *)

val open_process_args : string -> string array -> in_channel * out_channel
(** Same as {!open_process_args_out}, but redirects both the standard input and
    standard output of the new process to pipes connected to the two returned
    channels.  The input channel is connected to the output of the program, and
    the output channel to the input of the program.

    @since 4.08.0 *)

val open_process_args_full :
  string -> string array -> string array ->
    in_channel * out_channel * in_channel
(** Similar to {!open_process_args}, but the third argument specifies the
    environment passed to the new process.  The result is a triple of channels
    connected respectively to the standard output, standard input, and standard
    error of the program.

    @since 4.08.0 *)

val process_in_pid : in_channel -> int
(** Return the pid of a process opened via {!open_process_in} or
   {!open_process_args_in}.

    @since 4.08.0 (4.12.0 in UnixLabels) *)

val process_out_pid : out_channel -> int
(** Return the pid of a process opened via {!open_process_out} or
   {!open_process_args_out}.

    @since 4.08.0 (4.12.0 in UnixLabels) *)

val process_pid : in_channel * out_channel -> int
(** Return the pid of a process opened via {!open_process} or
   {!open_process_args}.

    @since 4.08.0 (4.12.0 in UnixLabels) *)

val process_full_pid : in_channel * out_channel * in_channel -> int
(** Return the pid of a process opened via {!open_process_full} or
   {!open_process_args_full}.

    @since 4.08.0 (4.12.0 in UnixLabels) *)

val close_process_in : in_channel -> process_status
(** Close channels opened by {!open_process_in},
   wait for the associated command to terminate,
   and return its termination status. *)

val close_process_out : out_channel -> process_status
(** Close channels opened by {!open_process_out},
   wait for the associated command to terminate,
   and return its termination status. *)

val close_process : in_channel * out_channel -> process_status
(** Close channels opened by {!open_process},
   wait for the associated command to terminate,
   and return its termination status. *)

val close_process_full :
  in_channel * out_channel * in_channel -> process_status
(** Close channels opened by {!open_process_full},
   wait for the associated command to terminate,
   and return its termination status. *)


(** {1 Symbolic links} *)


val symlink : ?to_dir: (* thwart tools/sync_stdlib_docs *) bool ->
              string -> string -> unit
(** [symlink ?to_dir src dst] creates the file [dst] as a symbolic link
   to the file [src]. On Windows, [to_dir] indicates if the symbolic link
   points to a directory or a file; if omitted, [symlink] examines [src]
   using [stat] and picks appropriately, if [src] does not exist then [false]
   is assumed (for this reason, it is recommended that the [to_dir] parameter
   be specified in new code). On Unix, [to_dir] is ignored.

   Windows symbolic links are available in Windows Vista onwards. There are some
   important differences between Windows symlinks and their POSIX counterparts.

   Windows symbolic links come in two flavours: directory and regular, which
   designate whether the symbolic link points to a directory or a file. The type
   must be correct - a directory symlink which actually points to a file cannot
   be selected with chdir and a file symlink which actually points to a
   directory cannot be read or written (note that Cygwin's emulation layer
   ignores this distinction).

   When symbolic links are created to existing targets, this distinction doesn't
   matter and [symlink] will automatically create the correct kind of symbolic
   link. The distinction matters when a symbolic link is created to a
   non-existent target.

   The other caveat is that by default symbolic links are a privileged
   operation. Administrators will always need to be running elevated (or with
   UAC disabled) and by default normal user accounts need to be granted the
   SeCreateSymbolicLinkPrivilege via Local Security Policy (secpol.msc) or via
   Active Directory.

   {!has_symlink} can be used to check that a process is able to create
   symbolic links. *)

val has_symlink : unit -> bool
(** Returns [true] if the user is able to create symbolic links. On Windows,
   this indicates that the user not only has the SeCreateSymbolicLinkPrivilege
   but is also running elevated, if necessary. On other platforms, this is
   simply indicates that the symlink system call is available.
   @since 4.03.0 *)

val readlink : string -> string
(** Read the contents of a symbolic link. *)


(** {1 Polling} *)


val select :
  file_descr list -> file_descr list -> file_descr list ->
    float -> file_descr list * file_descr list * file_descr list
(** Wait until some input/output operations become possible on
   some channels. The three list arguments are, respectively, a set
   of descriptors to check for reading (first argument), for writing
   (second argument), or for exceptional conditions (third argument).
   The fourth argument is the maximal timeout, in seconds; a
   negative fourth argument means no timeout (unbounded wait).
   The result is composed of three sets of descriptors: those ready
   for reading (first component), ready for writing (second component),
   and over which an exceptional condition is pending (third
   component). *)

(** {1 Locking} *)

type lock_command =
    F_ULOCK       (** Unlock a region *)
  | F_LOCK        (** Lock a region for writing, and block if already locked *)
  | F_TLOCK       (** Lock a region for writing, or fail if already locked *)
  | F_TEST        (** Test a region for other process locks *)
  | F_RLOCK       (** Lock a region for reading, and block if already locked *)
  | F_TRLOCK      (** Lock a region for reading, or fail if already locked *)
(** Commands for {!lockf}. *)

val lockf : file_descr -> lock_command -> int -> unit
(** [lockf fd mode len] puts a lock on a region of the file opened
   as [fd]. The region starts at the current read/write position for
   [fd] (as set by {!lseek}), and extends [len] bytes forward if
   [len] is positive, [len] bytes backwards if [len] is negative,
   or to the end of the file if [len] is zero.
   A write lock prevents any other
   process from acquiring a read or write lock on the region.
   A read lock prevents any other
   process from acquiring a write lock on the region, but lets
   other processes acquire read locks on it.

   The [F_LOCK] and [F_TLOCK] commands attempts to put a write lock
   on the specified region.
   The [F_RLOCK] and [F_TRLOCK] commands attempts to put a read lock
   on the specified region.
   If one or several locks put by another process prevent the current process
   from acquiring the lock, [F_LOCK] and [F_RLOCK] block until these locks
   are removed, while [F_TLOCK] and [F_TRLOCK] fail immediately with an
   exception.
   The [F_ULOCK] removes whatever locks the current process has on
   the specified region.
   Finally, the [F_TEST] command tests whether a write lock can be
   acquired on the specified region, without actually putting a lock.
   It returns immediately if successful, or fails otherwise.

   What happens when a process tries to lock a region of a file that is
   already locked by the same process depends on the OS.  On POSIX-compliant
   systems, the second lock operation succeeds and may "promote" the older
   lock from read lock to write lock.  On Windows, the second lock
   operation will block or fail. *)


(** {1 Signals}
   Note: installation of signal handlers is performed via
   the functions {!Sys.signal} and {!Sys.set_signal}.
*)

val kill : int -> int -> unit
(** [kill pid signal] sends signal number [signal] to the process
   with id [pid].

   On Windows: only the {!Sys.sigkill} signal is emulated. *)

type sigprocmask_command =
    SIG_SETMASK
  | SIG_BLOCK
  | SIG_UNBLOCK

val sigprocmask : sigprocmask_command -> int list -> int list
(** [sigprocmask mode sigs] changes the set of blocked signals.
   If [mode] is [SIG_SETMASK], blocked signals are set to those in
   the list [sigs].
   If [mode] is [SIG_BLOCK], the signals in [sigs] are added to
   the set of blocked signals.
   If [mode] is [SIG_UNBLOCK], the signals in [sigs] are removed
   from the set of blocked signals.
   [sigprocmask] returns the set of previously blocked signals.

   When the systhreads version of the [Thread] module is loaded, this
   function redirects to [Thread.sigmask]. I.e., [sigprocmask] only
   changes the mask of the current thread.

   On Windows: not implemented (no inter-process signals on Windows). *)

val sigpending : unit -> int list
(** Return the set of blocked signals that are currently pending.

   On Windows: not implemented (no inter-process signals on Windows). *)

val sigsuspend : int list -> unit
(** [sigsuspend sigs] atomically sets the blocked signals to [sigs]
   and waits for a non-ignored, non-blocked signal to be delivered.
   On return, the blocked signals are reset to their initial value.

   On Windows: not implemented (no inter-process signals on Windows). *)

val pause : unit -> unit
(** Wait until a non-ignored, non-blocked signal is delivered.

  On Windows: not implemented (no inter-process signals on Windows). *)


(** {1 Time functions} *)


type process_times =
  { tms_utime : float;  (** User time for the process *)
    tms_stime : float;  (** System time for the process *)
    tms_cutime : float; (** User time for the children processes *)
    tms_cstime : float; (** System time for the children processes *)
  }
(** The execution times (CPU times) of a process. *)

type tm =
  { tm_sec : int;               (** Seconds 0..60 *)
    tm_min : int;               (** Minutes 0..59 *)
    tm_hour : int;              (** Hours 0..23 *)
    tm_mday : int;              (** Day of month 1..31 *)
    tm_mon : int;               (** Month of year 0..11 *)
    tm_year : int;              (** Year - 1900 *)
    tm_wday : int;              (** Day of week (Sunday is 0) *)
    tm_yday : int;              (** Day of year 0..365 *)
    tm_isdst : bool;            (** Daylight time savings in effect *)
  }
(** The type representing wallclock time and calendar date. *)


val time : unit -> float
(** Return the current time since 00:00:00 GMT, Jan. 1, 1970,
   in seconds. *)

val gettimeofday : unit -> float
(** Same as {!time}, but with resolution better than 1 second. *)

val gmtime : float -> tm
(** Convert a time in seconds, as returned by {!time}, into a date and
   a time. Assumes UTC (Coordinated Universal Time), also known as GMT.
   To perform the inverse conversion, set the TZ environment variable
   to "UTC", use {!mktime}, and then restore the original value of TZ. *)

val localtime : float -> tm
(** Convert a time in seconds, as returned by {!time}, into a date and
   a time. Assumes the local time zone.
   The function performing the inverse conversion is {!mktime}. *)

val mktime : tm -> float * tm
(** Convert a date and time, specified by the [tm] argument, into
   a time in seconds, as returned by {!time}.  The [tm_isdst],
   [tm_wday] and [tm_yday] fields of [tm] are ignored.  Also return a
   normalized copy of the given [tm] record, with the [tm_wday],
   [tm_yday], and [tm_isdst] fields recomputed from the other fields,
   and the other fields normalized (so that, e.g., 40 October is
   changed into 9 November).  The [tm] argument is interpreted in the
   local time zone. *)

val alarm : int -> int
(** Schedule a [SIGALRM] signal after the given number of seconds.

   On Windows: not implemented. *)

val sleep : int -> unit
(** Stop execution for the given number of seconds. *)

val sleepf : float -> unit
(** Stop execution for the given number of seconds.  Like [sleep],
    but fractions of seconds are supported.

    @since 4.03.0 (4.12.0 in UnixLabels) *)

val times : unit -> process_times
(** Return the execution times of the process.

   On Windows: partially implemented, will not report timings
   for child processes. *)

val utimes : string -> float -> float -> unit
(** Set the last access time (second arg) and last modification time
   (third arg) for a file. Times are expressed in seconds from
   00:00:00 GMT, Jan. 1, 1970.  If both times are [0.0], the access
   and last modification times are both set to the current time. *)

type interval_timer =
    ITIMER_REAL
      (** decrements in real time, and sends the signal [SIGALRM] when
          expired.*)
  | ITIMER_VIRTUAL
      (** decrements in process virtual time, and sends [SIGVTALRM] when
          expired. *)
  | ITIMER_PROF
      (** (for profiling) decrements both when the process
         is running and when the system is running on behalf of the
         process; it sends [SIGPROF] when expired. *)
(** The three kinds of interval timers. *)

type interval_timer_status =
  { it_interval : float;         (** Period *)
    it_value : float;            (** Current value of the timer *)
  }
(** The type describing the status of an interval timer *)

val getitimer : interval_timer -> interval_timer_status
(** Return the current status of the given interval timer.

   On Windows: not implemented. *)

val setitimer :
  interval_timer -> interval_timer_status -> interval_timer_status
(** [setitimer t s] sets the interval timer [t] and returns
   its previous status. The [s] argument is interpreted as follows:
   [s.it_value], if nonzero, is the time to the next timer expiration;
   [s.it_interval], if nonzero, specifies a value to
   be used in reloading [it_value] when the timer expires.
   Setting [s.it_value] to zero disables the timer.
   Setting [s.it_interval] to zero causes the timer to be disabled
   after its next expiration.

   On Windows: not implemented. *)


(** {1 User id, group id} *)

val getuid : unit -> int
(** Return the user id of the user executing the process.

   On Windows: always returns [1]. *)

val geteuid : unit -> int
(** Return the effective user id under which the process runs.

   On Windows: always returns [1]. *)

val setuid : int -> unit
(** Set the real user id and effective user id for the process.

   On Windows: not implemented. *)

val getgid : unit -> int
(** Return the group id of the user executing the process.

   On Windows: always returns [1]. *)

val getegid : unit -> int
(** Return the effective group id under which the process runs.

   On Windows: always returns [1]. *)

val setgid : int -> unit
(** Set the real group id and effective group id for the process.

   On Windows: not implemented. *)

val getgroups : unit -> int array
(** Return the list of groups to which the user executing the process
   belongs.

   On Windows: always returns [[|1|]]. *)

val setgroups : int array -> unit
(** [setgroups groups] sets the supplementary group IDs for the
    calling process. Appropriate privileges are required.

    On Windows: not implemented. *)

val initgroups : string -> int -> unit
(** [initgroups user group] initializes the group access list by
    reading the group database /etc/group and using all groups of
    which [user] is a member. The additional group [group] is also
    added to the list.

    On Windows: not implemented. *)

type passwd_entry =
  { pw_name : string;
    pw_passwd : string;
    pw_uid : int;
    pw_gid : int;
    pw_gecos : string;
    pw_dir : string;
    pw_shell : string
  }
(** Structure of entries in the [passwd] database. *)

type group_entry =
  { gr_name : string;
    gr_passwd : string;
    gr_gid : int;
    gr_mem : string array
  }
(** Structure of entries in the [groups] database. *)

val getlogin : unit -> string
(** Return the login name of the user executing the process. *)

val getpwnam : string -> passwd_entry
(** Find an entry in [passwd] with the given name.
   @raise Not_found if no such entry exists, or always on Windows. *)

val getgrnam : string -> group_entry
(** Find an entry in [group] with the given name.

   @raise Not_found if no such entry exists, or always on Windows. *)

val getpwuid : int -> passwd_entry
(** Find an entry in [passwd] with the given user id.

   @raise Not_found if no such entry exists, or always on Windows. *)

val getgrgid : int -> group_entry
(** Find an entry in [group] with the given group id.

   @raise Not_found if no such entry exists, or always on Windows. *)


(** {1 Internet addresses} *)


type inet_addr
(** The abstract type of Internet addresses. *)

val inet_addr_of_string : string -> inet_addr
(** Conversion from the printable representation of an Internet
    address to its internal representation.  The argument string
    consists of 4 numbers separated by periods ([XXX.YYY.ZZZ.TTT])
    for IPv4 addresses, and up to 8 numbers separated by colons
    for IPv6 addresses.
    @raise Failure when given a string that does not match these formats. *)

val string_of_inet_addr : inet_addr -> string
(** Return the printable representation of the given Internet address.
    See {!inet_addr_of_string} for a description of the
    printable representation. *)

val inet_addr_any : inet_addr
(** A special IPv4 address, for use only with [bind], representing
   all the Internet addresses that the host machine possesses. *)

val inet_addr_loopback : inet_addr
(** A special IPv4 address representing the host machine ([127.0.0.1]). *)

val inet6_addr_any : inet_addr
(** A special IPv6 address, for use only with [bind], representing
   all the Internet addresses that the host machine possesses. *)

val inet6_addr_loopback : inet_addr
(** A special IPv6 address representing the host machine ([::1]). *)

val is_inet6_addr : inet_addr -> bool
(** Whether the given [inet_addr] is an IPv6 address.
    @since 4.12.0 *)

(** {1 Sockets} *)


type socket_domain =
    PF_UNIX                     (** Unix domain *)
  | PF_INET                     (** Internet domain (IPv4) *)
  | PF_INET6                    (** Internet domain (IPv6) *)
(** The type of socket domains.  Not all platforms support
    IPv6 sockets (type [PF_INET6]).

    On Windows: [PF_UNIX] not implemented.  *)

type socket_type =
    SOCK_STREAM                 (** Stream socket *)
  | SOCK_DGRAM                  (** Datagram socket *)
  | SOCK_RAW                    (** Raw socket *)
  | SOCK_SEQPACKET              (** Sequenced packets socket *)
(** The type of socket kinds, specifying the semantics of
   communications.  [SOCK_SEQPACKET] is included for completeness,
   but is rarely supported by the OS, and needs system calls that
   are not available in this library. *)

type sockaddr =
    ADDR_UNIX of string
  | ADDR_INET of inet_addr * int (**)
(** The type of socket addresses. [ADDR_UNIX name] is a socket
   address in the Unix domain; [name] is a file name in the file
   system. [ADDR_INET(addr,port)] is a socket address in the Internet
   domain; [addr] is the Internet address of the machine, and
   [port] is the port number. *)

val socket :
  ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
    socket_domain -> socket_type -> int -> file_descr
(** Create a new socket in the given domain, and with the
   given kind. The third argument is the protocol type; 0 selects
   the default protocol for that kind of sockets.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val domain_of_sockaddr: sockaddr -> socket_domain
(** Return the socket domain adequate for the given socket address. *)

val socketpair :
  ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
    socket_domain -> socket_type -> int ->
    file_descr * file_descr
(** Create a pair of unnamed sockets, connected together.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val accept : ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
             file_descr -> file_descr * sockaddr
(** Accept connections on the given socket. The returned descriptor
   is a socket connected to the client; the returned address is
   the address of the connecting client.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val bind : file_descr -> sockaddr -> unit
(** Bind a socket to an address. *)

val connect : file_descr -> sockaddr -> unit
(** Connect a socket to an address. *)

val listen : file_descr -> int -> unit
(** Set up a socket for receiving connection requests. The integer
   argument is the maximal number of pending requests. *)

type shutdown_command =
    SHUTDOWN_RECEIVE            (** Close for receiving *)
  | SHUTDOWN_SEND               (** Close for sending *)
  | SHUTDOWN_ALL                (** Close both *)
(** The type of commands for [shutdown]. *)


val shutdown : file_descr -> shutdown_command -> unit
(** Shutdown a socket connection. [SHUTDOWN_SEND] as second argument
   causes reads on the other end of the connection to return
   an end-of-file condition.
   [SHUTDOWN_RECEIVE] causes writes on the other end of the connection
   to return a closed pipe condition ([SIGPIPE] signal). *)

val getsockname : file_descr -> sockaddr
(** Return the address of the given socket. *)

val getpeername : file_descr -> sockaddr
(** Return the address of the host connected to the given socket. *)

type msg_flag =
    MSG_OOB
  | MSG_DONTROUTE
  | MSG_PEEK (**)
(** The flags for {!recv}, {!recvfrom}, {!send} and {!sendto}. *)

val recv :
  file_descr -> bytes -> int -> int -> msg_flag list -> int
(** Receive data from a connected socket. *)

val recvfrom :
  file_descr -> bytes -> int -> int -> msg_flag list ->
    int * sockaddr
(** Receive data from an unconnected socket. *)

val send :
  file_descr -> bytes -> int -> int -> msg_flag list -> int
(** Send data over a connected socket. *)

val send_substring :
  file_descr -> string -> int -> int -> msg_flag list -> int
(** Same as [send], but take the data from a string instead of a byte
    sequence.
    @since 4.02.0 *)

val sendto :
  file_descr -> bytes -> int -> int -> msg_flag list ->
    sockaddr -> int
(** Send data over an unconnected socket. *)

val sendto_substring :
  file_descr -> string -> int -> int -> msg_flag list
  -> sockaddr -> int
(** Same as [sendto], but take the data from a string instead of a
    byte sequence.
    @since 4.02.0 *)



(** {1 Socket options} *)


type socket_bool_option =
    SO_DEBUG       (** Record debugging information *)
  | SO_BROADCAST   (** Permit sending of broadcast messages *)
  | SO_REUSEADDR   (** Allow reuse of local addresses for bind *)
  | SO_KEEPALIVE   (** Keep connection active *)
  | SO_DONTROUTE   (** Bypass the standard routing algorithms *)
  | SO_OOBINLINE   (** Leave out-of-band data in line *)
  | SO_ACCEPTCONN  (** Report whether socket listening is enabled *)
  | TCP_NODELAY    (** Control the Nagle algorithm for TCP sockets *)
  | IPV6_ONLY      (** Forbid binding an IPv6 socket to an IPv4 address *)
  | SO_REUSEPORT   (** Allow reuse of address and port bindings *)
(** The socket options that can be consulted with {!getsockopt}
   and modified with {!setsockopt}.  These options have a boolean
   ([true]/[false]) value. *)

type socket_int_option =
    SO_SNDBUF    (** Size of send buffer *)
  | SO_RCVBUF    (** Size of received buffer *)
  | SO_ERROR     (** Deprecated.  Use {!getsockopt_error} instead. *)
  | SO_TYPE      (** Report the socket type *)
  | SO_RCVLOWAT  (** Minimum number of bytes to process for input operations *)
  | SO_SNDLOWAT  (** Minimum number of bytes to process for output operations *)
(** The socket options that can be consulted with {!getsockopt_int}
   and modified with {!setsockopt_int}.  These options have an
   integer value. *)

type socket_optint_option =
  SO_LINGER      (** Whether to linger on closed connections
                    that have data present, and for how long
                    (in seconds) *)
(** The socket options that can be consulted with {!getsockopt_optint}
   and modified with {!setsockopt_optint}.  These options have a
   value of type [int option], with [None] meaning ``disabled''. *)

type socket_float_option =
    SO_RCVTIMEO    (** Timeout for input operations *)
  | SO_SNDTIMEO    (** Timeout for output operations *)
(** The socket options that can be consulted with {!getsockopt_float}
   and modified with {!setsockopt_float}.  These options have a
   floating-point value representing a time in seconds.
   The value 0 means infinite timeout. *)

val getsockopt : file_descr -> socket_bool_option -> bool
(** Return the current status of a boolean-valued option
   in the given socket. *)

val setsockopt : file_descr -> socket_bool_option -> bool -> unit
(** Set or clear a boolean-valued option in the given socket. *)

val getsockopt_int : file_descr -> socket_int_option -> int
(** Same as {!getsockopt} for an integer-valued socket option. *)

val setsockopt_int : file_descr -> socket_int_option -> int -> unit
(** Same as {!setsockopt} for an integer-valued socket option. *)

val getsockopt_optint : file_descr -> socket_optint_option -> int option
(** Same as {!getsockopt} for a socket option whose value is
    an [int option]. *)

val setsockopt_optint :
      file_descr -> socket_optint_option -> int option -> unit
(** Same as {!setsockopt} for a socket option whose value is
    an [int option]. *)

val getsockopt_float : file_descr -> socket_float_option -> float
(** Same as {!getsockopt} for a socket option whose value is a
    floating-point number. *)

val setsockopt_float : file_descr -> socket_float_option -> float -> unit
(** Same as {!setsockopt} for a socket option whose value is a
    floating-point number. *)

val getsockopt_error : file_descr -> error option
(** Return the error condition associated with the given socket,
    and clear it. *)

(** {1 High-level network connection functions} *)


val open_connection : sockaddr -> in_channel * out_channel
(** Connect to a server at the given address.
   Return a pair of buffered channels connected to the server.
   Remember to call {!Stdlib.flush} on the output channel at the right
   times to ensure correct synchronization.

   The two channels returned by [open_connection] share a descriptor
   to a socket.  Therefore, when the connection is over, you should
   call {!Stdlib.close_out} on the output channel, which will also close
   the underlying socket.  Do not call {!Stdlib.close_in} on the input
   channel; it will be collected by the GC eventually.
*)


val shutdown_connection : in_channel -> unit
(** ``Shut down'' a connection established with {!open_connection};
   that is, transmit an end-of-file condition to the server reading
   on the other side of the connection. This does not close the
   socket and the channels used by the connection.
   See {!Unix.open_connection} for how to close them once the
   connection is over. *)

val establish_server :
  (in_channel -> out_channel -> unit) -> sockaddr -> unit
(** Establish a server on the given address.
   The function given as first argument is called for each connection
   with two buffered channels connected to the client. A new process
   is created for each connection. The function {!establish_server}
   never returns normally.

   The two channels given to the function share a descriptor to a
   socket.  The function does not need to close the channels, since this
   occurs automatically when the function returns.  If the function
   prefers explicit closing, it should close the output channel using
   {!Stdlib.close_out} and leave the input channel unclosed,
   for reasons explained in {!Unix.in_channel_of_descr}.

   On Windows: not implemented (use threads). *)


(** {1 Host and protocol databases} *)

type host_entry =
  { h_name : string;
    h_aliases : string array;
    h_addrtype : socket_domain;
    h_addr_list : inet_addr array
  }
(** Structure of entries in the [hosts] database. *)

type protocol_entry =
  { p_name : string;
    p_aliases : string array;
    p_proto : int
  }
(** Structure of entries in the [protocols] database. *)

type service_entry =
  { s_name : string;
    s_aliases : string array;
    s_port : int;
    s_proto : string
  }
(** Structure of entries in the [services] database. *)

val gethostname : unit -> string
(** Return the name of the local host. *)

val gethostbyname : string -> host_entry
(** Find an entry in [hosts] with the given name.
    @raise Not_found if no such entry exists. *)

val gethostbyaddr : inet_addr -> host_entry
(** Find an entry in [hosts] with the given address.
    @raise Not_found if no such entry exists. *)

val getprotobyname : string -> protocol_entry
(** Find an entry in [protocols] with the given name.
    @raise Not_found if no such entry exists. *)

val getprotobynumber : int -> protocol_entry
(** Find an entry in [protocols] with the given protocol number.
    @raise Not_found if no such entry exists. *)

val getservbyname : string -> string -> service_entry
(** Find an entry in [services] with the given name.
    @raise Not_found if no such entry exists. *)

val getservbyport : int -> string -> service_entry
(** Find an entry in [services] with the given service number.
    @raise Not_found if no such entry exists. *)

type addr_info =
  { ai_family : socket_domain;          (** Socket domain *)
    ai_socktype : socket_type;          (** Socket type *)
    ai_protocol : int;                  (** Socket protocol number *)
    ai_addr : sockaddr;                 (** Address *)
    ai_canonname : string               (** Canonical host name  *)
  }
(** Address information returned by {!getaddrinfo}. *)

type getaddrinfo_option =
    AI_FAMILY of socket_domain          (** Impose the given socket domain *)
  | AI_SOCKTYPE of socket_type          (** Impose the given socket type *)
  | AI_PROTOCOL of int                  (** Impose the given protocol  *)
  | AI_NUMERICHOST                      (** Do not call name resolver,
                                            expect numeric IP address *)
  | AI_CANONNAME                        (** Fill the [ai_canonname] field
                                            of the result *)
  | AI_PASSIVE                          (** Set address to ``any'' address
                                            for use with {!bind} *)
(** Options to {!getaddrinfo}. *)

val getaddrinfo:
  string -> string -> getaddrinfo_option list -> addr_info list
(** [getaddrinfo host service opts] returns a list of {!addr_info}
    records describing socket parameters and addresses suitable for
    communicating with the given host and service.  The empty list is
    returned if the host or service names are unknown, or the constraints
    expressed in [opts] cannot be satisfied.

    [host] is either a host name or the string representation of an IP
    address.  [host] can be given as the empty string; in this case,
    the ``any'' address or the ``loopback'' address are used,
    depending whether [opts] contains [AI_PASSIVE].
    [service] is either a service name or the string representation of
    a port number.  [service] can be given as the empty string;
    in this case, the port field of the returned addresses is set to 0.
    [opts] is a possibly empty list of options that allows the caller
    to force a particular socket domain (e.g. IPv6 only or IPv4 only)
    or a particular socket type (e.g. TCP only or UDP only). *)

type name_info =
  { ni_hostname : string;               (** Name or IP address of host *)
    ni_service : string;                (** Name of service or port number *)
  }
(** Host and service information returned by {!getnameinfo}. *)

type getnameinfo_option =
    NI_NOFQDN            (** Do not qualify local host names *)
  | NI_NUMERICHOST       (** Always return host as IP address *)
  | NI_NAMEREQD          (** Fail if host name cannot be determined *)
  | NI_NUMERICSERV       (** Always return service as port number *)
  | NI_DGRAM             (** Consider the service as UDP-based
                             instead of the default TCP *)
(** Options to {!getnameinfo}. *)

val getnameinfo : sockaddr -> getnameinfo_option list -> name_info
(** [getnameinfo addr opts] returns the host name and service name
    corresponding to the socket address [addr].  [opts] is a possibly
    empty list of options that governs how these names are obtained.
    @raise Not_found if an error occurs. *)


(** {1 Terminal interface} *)


(** The following functions implement the POSIX standard terminal
   interface. They provide control over asynchronous communication ports
   and pseudo-terminals. Refer to the [termios] man page for a
   complete description. *)

type terminal_io =
  {
    (* input modes *)
    mutable c_ignbrk : bool;  (** Ignore the break condition. *)
    mutable c_brkint : bool;  (** Signal interrupt on break condition. *)
    mutable c_ignpar : bool;  (** Ignore characters with parity errors. *)
    mutable c_parmrk : bool;  (** Mark parity errors. *)
    mutable c_inpck : bool;   (** Enable parity check on input. *)
    mutable c_istrip : bool;  (** Strip 8th bit on input characters. *)
    mutable c_inlcr : bool;   (** Map NL to CR on input. *)
    mutable c_igncr : bool;   (** Ignore CR on input. *)
    mutable c_icrnl : bool;   (** Map CR to NL on input. *)
    mutable c_ixon : bool;    (** Recognize XON/XOFF characters on input. *)
    mutable c_ixoff : bool;   (** Emit XON/XOFF chars to control input flow. *)
    (* Output modes: *)
    mutable c_opost : bool;   (** Enable output processing. *)
    (* Control modes: *)
    mutable c_obaud : int;    (** Output baud rate (0 means close connection).*)
    mutable c_ibaud : int;    (** Input baud rate. *)
    mutable c_csize : int;    (** Number of bits per character (5-8). *)
    mutable c_cstopb : int;   (** Number of stop bits (1-2). *)
    mutable c_cread : bool;   (** Reception is enabled. *)
    mutable c_parenb : bool;  (** Enable parity generation and detection. *)
    mutable c_parodd : bool;  (** Specify odd parity instead of even. *)
    mutable c_hupcl : bool;   (** Hang up on last close. *)
    mutable c_clocal : bool;  (** Ignore modem status lines. *)
    (* Local modes: *)
    mutable c_isig : bool;    (** Generate signal on INTR, QUIT, SUSP. *)
    mutable c_icanon : bool;  (** Enable canonical processing
                                 (line buffering and editing) *)
    mutable c_noflsh : bool;  (** Disable flush after INTR, QUIT, SUSP. *)
    mutable c_echo : bool;    (** Echo input characters. *)
    mutable c_echoe : bool;   (** Echo ERASE (to erase previous character). *)
    mutable c_echok : bool;   (** Echo KILL (to erase the current line). *)
    mutable c_echonl : bool;  (** Echo NL even if c_echo is not set. *)
    (* Control characters: *)
    mutable c_vintr : char;   (** Interrupt character (usually ctrl-C). *)
    mutable c_vquit : char;   (** Quit character (usually ctrl-\). *)
    mutable c_verase : char;  (** Erase character (usually DEL or ctrl-H). *)
    mutable c_vkill : char;   (** Kill line character (usually ctrl-U). *)
    mutable c_veof : char;    (** End-of-file character (usually ctrl-D). *)
    mutable c_veol : char;    (** Alternate end-of-line char. (usually none). *)
    mutable c_vmin : int;     (** Minimum number of characters to read
                                 before the read request is satisfied. *)
    mutable c_vtime : int;    (** Maximum read wait (in 0.1s units). *)
    mutable c_vstart : char;  (** Start character (usually ctrl-Q). *)
    mutable c_vstop : char;   (** Stop character (usually ctrl-S). *)
  }

val tcgetattr : file_descr -> terminal_io
(** Return the status of the terminal referred to by the given
   file descriptor.

   On Windows: not implemented. *)

type setattr_when =
    TCSANOW
  | TCSADRAIN
  | TCSAFLUSH

val tcsetattr : file_descr -> setattr_when -> terminal_io -> unit
(** Set the status of the terminal referred to by the given
   file descriptor. The second argument indicates when the
   status change takes place: immediately ([TCSANOW]),
   when all pending output has been transmitted ([TCSADRAIN]),
   or after flushing all input that has been received but not
   read ([TCSAFLUSH]). [TCSADRAIN] is recommended when changing
   the output parameters; [TCSAFLUSH], when changing the input
   parameters.

   On Windows: not implemented. *)

val tcsendbreak : file_descr -> int -> unit
(** Send a break condition on the given file descriptor.
   The second argument is the duration of the break, in 0.1s units;
   0 means standard duration (0.25s).

   On Windows: not implemented. *)

val tcdrain : file_descr -> unit
(** Waits until all output written on the given file descriptor
   has been transmitted.

   On Windows: not implemented. *)

type flush_queue =
    TCIFLUSH
  | TCOFLUSH
  | TCIOFLUSH

val tcflush : file_descr -> flush_queue -> unit
(** Discard data written on the given file descriptor but not yet
   transmitted, or data received but not yet read, depending on the
   second argument: [TCIFLUSH] flushes data received but not read,
   [TCOFLUSH] flushes data written but not transmitted, and
   [TCIOFLUSH] flushes both.

   On Windows: not implemented. *)

type flow_action =
    TCOOFF
  | TCOON
  | TCIOFF
  | TCION

val tcflow : file_descr -> flow_action -> unit
(** Suspend or restart reception or transmission of data on
   the given file descriptor, depending on the second argument:
   [TCOOFF] suspends output, [TCOON] restarts output,
   [TCIOFF] transmits a STOP character to suspend input,
   and [TCION] transmits a START character to restart input.

   On Windows: not implemented. *)

val setsid : unit -> int
(** Put the calling process in a new session and detach it from
   its controlling terminal.

   On Windows: not implemented. *)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                    (**************************************************************************)
(*                                                                        *)
(*                                 OCaml                                  *)
(*                                                                        *)
(*             Xavier Leroy, projet Cristal, INRIA Rocquencourt           *)
(*                                                                        *)
(*   Copyright 1996 Institut National de Recherche en Informatique et     *)
(*     en Automatique.                                                    *)
(*                                                                        *)
(*   All rights reserved.  This file is distributed under the terms of    *)
(*   the GNU Lesser General Public License version 2.1, with the          *)
(*   special exception on linking described in the file LICENSE.          *)
(*                                                                        *)
(**************************************************************************)

(* NOTE:
   If this file is unixLabels.mli, run tools/sync_stdlib_docs after editing it
   to generate unix.mli.

   If this file is unix.mli, do not edit it directly -- edit unixLabels.mli
   instead.
*)

(* NOTE:
   When a new function is added which is not implemented on Windows (or
   partially implemented), or the Windows-status of an existing function is
   changed, remember to update the summary table in
   manual/src/library/libunix.etex
*)

(** Interface to the Unix system.

   To use the labeled version of this module, add [module Unix][ = ][UnixLabels]
   in your implementation.

   Note: all the functions of this module (except {!error_message} and
   {!handle_unix_error}) are liable to raise the {!Unix_error}
   exception whenever the underlying system call signals an error.
*)

(** {1 Error report} *)


type error = Unix.error =
    E2BIG               (** Argument list too long *)
  | EACCES              (** Permission denied *)
  | EAGAIN              (** Resource temporarily unavailable; try again *)
  | EBADF               (** Bad file descriptor *)
  | EBUSY               (** Resource unavailable *)
  | ECHILD              (** No child process *)
  | EDEADLK             (** Resource deadlock would occur *)
  | EDOM                (** Domain error for math functions, etc. *)
  | EEXIST              (** File exists *)
  | EFAULT              (** Bad address *)
  | EFBIG               (** File too large *)
  | EINTR               (** Function interrupted by signal *)
  | EINVAL              (** Invalid argument *)
  | EIO                 (** Hardware I/O error *)
  | EISDIR              (** Is a directory *)
  | EMFILE              (** Too many open files by the process *)
  | EMLINK              (** Too many links *)
  | ENAMETOOLONG        (** Filename too long *)
  | ENFILE              (** Too many open files in the system *)
  | ENODEV              (** No such device *)
  | ENOENT              (** No such file or directory *)
  | ENOEXEC             (** Not an executable file *)
  | ENOLCK              (** No locks available *)
  | ENOMEM              (** Not enough memory *)
  | ENOSPC              (** No space left on device *)
  | ENOSYS              (** Function not supported *)
  | ENOTDIR             (** Not a directory *)
  | ENOTEMPTY           (** Directory not empty *)
  | ENOTTY              (** Inappropriate I/O control operation *)
  | ENXIO               (** No such device or address *)
  | EPERM               (** Operation not permitted *)
  | EPIPE               (** Broken pipe *)
  | ERANGE              (** Result too large *)
  | EROFS               (** Read-only file system *)
  | ESPIPE              (** Invalid seek e.g. on a pipe *)
  | ESRCH               (** No such process *)
  | EXDEV               (** Invalid link *)
  | EWOULDBLOCK         (** Operation would block *)
  | EINPROGRESS         (** Operation now in progress *)
  | EALREADY            (** Operation already in progress *)
  | ENOTSOCK            (** Socket operation on non-socket *)
  | EDESTADDRREQ        (** Destination address required *)
  | EMSGSIZE            (** Message too long *)
  | EPROTOTYPE          (** Protocol wrong type for socket *)
  | ENOPROTOOPT         (** Protocol not available *)
  | EPROTONOSUPPORT     (** Protocol not supported *)
  | ESOCKTNOSUPPORT     (** Socket type not supported *)
  | EOPNOTSUPP          (** Operation not supported on socket *)
  | EPFNOSUPPORT        (** Protocol family not supported *)
  | EAFNOSUPPORT        (** Address family not supported by protocol family *)
  | EADDRINUSE          (** Address already in use *)
  | EADDRNOTAVAIL       (** Can't assign requested address *)
  | ENETDOWN            (** Network is down *)
  | ENETUNREACH         (** Network is unreachable *)
  | ENETRESET           (** Network dropped connection on reset *)
  | ECONNABORTED        (** Software caused connection abort *)
  | ECONNRESET          (** Connection reset by peer *)
  | ENOBUFS             (** No buffer space available *)
  | EISCONN             (** Socket is already connected *)
  | ENOTCONN            (** Socket is not connected *)
  | ESHUTDOWN           (** Can't send after socket shutdown *)
  | ETOOMANYREFS        (** Too many references: can't splice *)
  | ETIMEDOUT           (** Connection timed out *)
  | ECONNREFUSED        (** Connection refused *)
  | EHOSTDOWN           (** Host is down *)
  | EHOSTUNREACH        (** No route to host *)
  | ELOOP               (** Too many levels of symbolic links *)
  | EOVERFLOW           (** File size or position not representable *)

  | EUNKNOWNERR of int  (** Unknown error *)
(** The type of error codes.
   Errors defined in the POSIX standard
   and additional errors from UNIX98 and BSD.
   All other errors are mapped to EUNKNOWNERR.
*)


exception Unix_error of error * string * string
(** Raised by the system calls below when an error is encountered.
   The first component is the error code; the second component
   is the function name; the third component is the string parameter
   to the function, if it has one, or the empty string otherwise.

   {!UnixLabels.Unix_error} and {!Unix.Unix_error} are the same, and
   catching one will catch the other. *)

val error_message : error -> string
(** Return a string describing the given error code. *)

val handle_unix_error : ('a -> 'b) -> 'a -> 'b
(** [handle_unix_error f x] applies [f] to [x] and returns the result.
   If the exception {!Unix_error} is raised, it prints a message
   describing the error and exits with code 2. *)


(** {1 Access to the process environment} *)


val environment : unit -> string array
(** Return the process environment, as an array of strings
    with the format ``variable=value''.  The returned array
    is empty if the process has special privileges. *)

val unsafe_environment : unit -> string array
(** Return the process environment, as an array of strings with the
    format ``variable=value''.  Unlike {!environment}, this function
    returns a populated array even if the process has special
    privileges.  See the documentation for {!unsafe_getenv} for more
    details.

    @since 4.06.0 (4.12.0 in UnixLabels) *)

val getenv : string -> string
(** Return the value associated to a variable in the process
   environment, unless the process has special privileges.
   @raise Not_found if the variable is unbound or the process has
   special privileges.

   This function is identical to {!Sys.getenv}. *)

val unsafe_getenv : string -> string
(** Return the value associated to a variable in the process
   environment.

   Unlike {!getenv}, this function returns the value even if the
   process has special privileges. It is considered unsafe because the
   programmer of a setuid or setgid program must be careful to avoid
   using maliciously crafted environment variables in the search path
   for executables, the locations for temporary files or logs, and the
   like.

   @raise Not_found if the variable is unbound.
   @since 4.06.0  *)

val putenv : string -> string -> unit
(** [putenv name value] sets the value associated to a
   variable in the process environment.
   [name] is the name of the environment variable,
   and [value] its new associated value. *)


(** {1 Process handling} *)


type process_status = Unix.process_status =
    WEXITED of int
        (** The process terminated normally by [exit];
           the argument is the return code. *)
  | WSIGNALED of int
        (** The process was killed by a signal;
           the argument is the signal number. *)
  | WSTOPPED of int
        (** The process was stopped by a signal; the argument is the
           signal number. *)
(** The termination status of a process.  See module {!Sys} for the
    definitions of the standard signal numbers.  Note that they are
    not the numbers used by the OS. *)


type wait_flag = Unix.wait_flag =
    WNOHANG (** Do not block if no child has
               died yet, but immediately return with a pid equal to 0. *)
  | WUNTRACED (** Report also the children that receive stop signals. *)
(** Flags for {!waitpid}. *)

val execv : prog:string -> args:string array -> 'a
(** [execv ~prog ~args] execute the program in file [prog], with
   the arguments [args], and the current process environment.
   These [execv*] functions never return: on success, the current
   program is replaced by the new one.
   @raise Unix_error on failure *)

val execve : prog:string -> args:string array -> env:string array -> 'a
(** Same as {!execv}, except that the third argument provides the
   environment to the program executed. *)

val execvp : prog:string -> args:string array -> 'a
(** Same as {!execv}, except that
   the program is searched in the path. *)

val execvpe : prog:string -> args:string array -> env:string array -> 'a
(** Same as {!execve}, except that
   the program is searched in the path. *)

val fork : unit -> int
(** Fork a new process. The returned integer is 0 for the child
   process, the pid of the child process for the parent process.

   On Windows: not implemented, use {!create_process} or threads. *)

val wait : unit -> int * process_status
(** Wait until one of the children processes die, and return its pid
   and termination status.

   On Windows: not implemented, use {!waitpid}. *)

val waitpid : mode:wait_flag list -> int -> int * process_status
(** Same as {!wait}, but waits for the child process whose pid is given.
   A pid of [-1] means wait for any child.
   A pid of [0] means wait for any child in the same process group
   as the current process.
   Negative pid arguments represent process groups.
   The list of options indicates whether [waitpid] should return
   immediately without waiting, and whether it should report stopped
   children.

   On Windows: can only wait for a given PID, not any child process. *)

val system : string -> process_status
(** Execute the given command, wait until it terminates, and return
   its termination status. The string is interpreted by the shell
   [/bin/sh] (or the command interpreter [cmd.exe] on Windows) and
   therefore can contain redirections, quotes, variables, etc.
   To properly quote whitespace and shell special characters occurring
   in file names or command arguments, the use of
   {!Filename.quote_command} is recommended.
   The result [WEXITED 127] indicates that the shell couldn't be
   executed. *)

val _exit : int -> 'a
(** Terminate the calling process immediately, returning the given
   status code to the operating system: usually 0 to indicate no
   errors, and a small positive integer to indicate failure.
   Unlike {!Stdlib.exit}, {!Unix._exit} performs no finalization
   whatsoever: functions registered with {!Stdlib.at_exit} are not called,
   input/output channels are not flushed, and the C run-time system
   is not finalized either.

   The typical use of {!Unix._exit} is after a {!Unix.fork} operation,
   when the child process runs into a fatal error and must exit.  In
   this case, it is preferable to not perform any finalization action
   in the child process, as these actions could interfere with similar
   actions performed by the parent process.  For example, output
   channels should not be flushed by the child process, as the parent
   process may flush them again later, resulting in duplicate
   output.

   @since 4.12.0 *)

val getpid : unit -> int
(** Return the pid of the process. *)

val getppid : unit -> int
(** Return the pid of the parent process.

    On Windows: not implemented (because it is meaningless). *)

val nice : int -> int
(** Change the process priority. The integer argument is added to the
   ``nice'' value. (Higher values of the ``nice'' value mean
   lower priorities.) Return the new nice value.

   On Windows: not implemented. *)

(** {1 Basic file input/output} *)


type file_descr = Unix.file_descr
(** The abstract type of file descriptors. *)

val stdin : file_descr
(** File descriptor for standard input.*)

val stdout : file_descr
(** File descriptor for standard output.*)

val stderr : file_descr
(** File descriptor for standard error. *)

type open_flag = Unix.open_flag =
    O_RDONLY                    (** Open for reading *)
  | O_WRONLY                    (** Open for writing *)
  | O_RDWR                      (** Open for reading and writing *)
  | O_NONBLOCK                  (** Open in non-blocking mode *)
  | O_APPEND                    (** Open for append *)
  | O_CREAT                     (** Create if nonexistent *)
  | O_TRUNC                     (** Truncate to 0 length if existing *)
  | O_EXCL                      (** Fail if existing *)
  | O_NOCTTY                    (** Don't make this dev a controlling tty *)
  | O_DSYNC                     (** Writes complete as `Synchronised I/O data
                                    integrity completion' *)
  | O_SYNC                      (** Writes complete as `Synchronised I/O file
                                    integrity completion' *)
  | O_RSYNC                     (** Reads complete as writes (depending
                                    on O_SYNC/O_DSYNC) *)
  | O_SHARE_DELETE              (** Windows only: allow the file to be deleted
                                    while still open *)
  | O_CLOEXEC                   (** Set the close-on-exec flag on the
                                   descriptor returned by {!openfile}.
                                   See {!set_close_on_exec} for more
                                   information. *)
  | O_KEEPEXEC                  (** Clear the close-on-exec flag.
                                    This is currently the default. *)
(** The flags to {!openfile}. *)


type file_perm = int
(** The type of file access rights, e.g. [0o640] is read and write for user,
    read for group, none for others *)

val openfile : string -> mode:open_flag list -> perm:file_perm -> file_descr
(** Open the named file with the given flags. Third argument is the
   permissions to give to the file if it is created (see
   {!umask}). Return a file descriptor on the named file. *)

val close : file_descr -> unit
(** Close a file descriptor. *)

val fsync : file_descr -> unit
(** Flush file buffers to disk.

    @since 4.08.0 (4.12.0 in UnixLabels) *)

val read : file_descr -> buf:bytes -> pos:int -> len:int -> int
(** [read fd ~buf ~pos ~len] reads [len] bytes from descriptor [fd],
    storing them in byte sequence [buf], starting at position [pos] in
    [buf]. Return the number of bytes actually read. *)

val write : file_descr -> buf:bytes -> pos:int -> len:int -> int
(** [write fd ~buf ~pos ~len] writes [len] bytes to descriptor [fd],
    taking them from byte sequence [buf], starting at position [pos]
    in [buff]. Return the number of bytes actually written.  [write]
    repeats the writing operation until all bytes have been written or
    an error occurs.  *)

val single_write : file_descr -> buf:bytes -> pos:int -> len:int -> int
(** Same as {!write}, but attempts to write only once.
   Thus, if an error occurs, [single_write] guarantees that no data
   has been written. *)

val write_substring : file_descr -> buf:string -> pos:int -> len:int -> int
(** Same as {!write}, but take the data from a string instead of a byte
    sequence.
    @since 4.02.0 *)

val single_write_substring :
  file_descr -> buf:string -> pos:int -> len:int -> int
(** Same as {!single_write}, but take the data from a string instead of
    a byte sequence.
    @since 4.02.0 *)

(** {1 Interfacing with the standard input/output library} *)



val in_channel_of_descr : file_descr -> in_channel
(** Create an input channel reading from the given descriptor.
   The channel is initially in binary mode; use
   [set_binary_mode_in ic false] if text mode is desired.
   Text mode is supported only if the descriptor refers to a file
   or pipe, but is not supported if it refers to a socket.

   On Windows: {!Stdlib.set_binary_mode_in} always fails on channels
   created with this function.

   Beware that input channels are buffered, so more characters may
   have been read from the descriptor than those accessed using
   channel functions.  Channels also keep a copy of the current
   position in the file.

   Closing the channel [ic] returned by [in_channel_of_descr fd]
   using [close_in ic] also closes the underlying descriptor [fd].
   It is incorrect to close both the channel [ic] and the descriptor [fd].

   If several channels are created on the same descriptor, one of the
   channels must be closed, but not the others.
   Consider for example a descriptor [s] connected to a socket and two
   channels [ic = in_channel_of_descr s] and [oc = out_channel_of_descr s].
   The recommended closing protocol is to perform [close_out oc],
   which flushes buffered output to the socket then closes the socket.
   The [ic] channel must not be closed and will be collected by the GC
   eventually.
*)

val out_channel_of_descr : file_descr -> out_channel
(** Create an output channel writing on the given descriptor.
   The channel is initially in binary mode; use
   [set_binary_mode_out oc false] if text mode is desired.
   Text mode is supported only if the descriptor refers to a file
   or pipe, but is not supported if it refers to a socket.

   On Windows: {!Stdlib.set_binary_mode_out} always fails on channels created
   with this function.

   Beware that output channels are buffered, so you may have to call
   {!Stdlib.flush} to ensure that all data has been sent to the
   descriptor.  Channels also keep a copy of the current position in
   the file.

   Closing the channel [oc] returned by [out_channel_of_descr fd]
   using [close_out oc] also closes the underlying descriptor [fd].
   It is incorrect to close both the channel [ic] and the descriptor [fd].

   See {!Unix.in_channel_of_descr} for a discussion of the closing
   protocol when several channels are created on the same descriptor.
*)

val descr_of_in_channel : in_channel -> file_descr
(** Return the descriptor corresponding to an input channel. *)

val descr_of_out_channel : out_channel -> file_descr
(** Return the descriptor corresponding to an output channel. *)


(** {1 Seeking and truncating} *)


type seek_command = Unix.seek_command =
    SEEK_SET (** indicates positions relative to the beginning of the file *)
  | SEEK_CUR (** indicates positions relative to the current position *)
  | SEEK_END (** indicates positions relative to the end of the file *)
(** Positioning modes for {!lseek}. *)


val lseek : file_descr -> int -> mode:seek_command -> int
(** Set the current position for a file descriptor, and return the resulting
    offset (from the beginning of the file). *)

val truncate : string -> len:int -> unit
(** Truncates the named file to the given size. *)

val ftruncate : file_descr -> len:int -> unit
(** Truncates the file corresponding to the given descriptor
   to the given size. *)


(** {1 File status} *)


type file_kind = Unix.file_kind =
    S_REG                       (** Regular file *)
  | S_DIR                       (** Directory *)
  | S_CHR                       (** Character device *)
  | S_BLK                       (** Block device *)
  | S_LNK                       (** Symbolic link *)
  | S_FIFO                      (** Named pipe *)
  | S_SOCK                      (** Socket *)

type stats = Unix.stats =
  { st_dev : int;               (** Device number *)
    st_ino : int;               (** Inode number *)
    st_kind : file_kind;        (** Kind of the file *)
    st_perm : file_perm;        (** Access rights *)
    st_nlink : int;             (** Number of links *)
    st_uid : int;               (** User id of the owner *)
    st_gid : int;               (** Group ID of the file's group *)
    st_rdev : int;              (** Device ID (if special file) *)
    st_size : int;              (** Size in bytes *)
    st_atime : float;           (** Last access time *)
    st_mtime : float;           (** Last modification time *)
    st_ctime : float;           (** Last status change time *)
  }
(** The information returned by the {!stat} calls. *)

val stat : string -> stats
(** Return the information for the named file. *)

val lstat : string -> stats
(** Same as {!stat}, but in case the file is a symbolic link,
   return the information for the link itself. *)

val fstat : file_descr -> stats
(** Return the information for the file associated with the given
   descriptor. *)

val isatty : file_descr -> bool
(** Return [true] if the given file descriptor refers to a terminal or
   console window, [false] otherwise. *)

(** {1 File operations on large files} *)

module LargeFile :
  sig
    val lseek : file_descr -> int64 -> mode:seek_command -> int64
    (** See [lseek]. *)

    val truncate : string -> len:int64 -> unit
    (** See [truncate]. *)

    val ftruncate : file_descr -> len:int64 -> unit
    (** See [ftruncate]. *)

    type stats = Unix.LargeFile.stats =
      { st_dev : int;               (** Device number *)
        st_ino : int;               (** Inode number *)
        st_kind : file_kind;        (** Kind of the file *)
        st_perm : file_perm;        (** Access rights *)
        st_nlink : int;             (** Number of links *)
        st_uid : int;               (** User id of the owner *)
        st_gid : int;               (** Group ID of the file's group *)
        st_rdev : int;              (** Device ID (if special file) *)
        st_size : int64;            (** Size in bytes *)
        st_atime : float;           (** Last access time *)
        st_mtime : float;           (** Last modification time *)
        st_ctime : float;           (** Last status change time *)
      }
    val stat : string -> stats
    val lstat : string -> stats
    val fstat : file_descr -> stats
  end
(** File operations on large files.
  This sub-module provides 64-bit variants of the functions
  {!lseek} (for positioning a file descriptor),
  {!truncate} and {!ftruncate}
  (for changing the size of a file),
  and {!stat}, {!lstat} and {!fstat}
  (for obtaining information on files).  These alternate functions represent
  positions and sizes by 64-bit integers (type [int64]) instead of
  regular integers (type [int]), thus allowing operating on files
  whose sizes are greater than [max_int]. *)

(** {1 Mapping files into memory} *)

val map_file :
  file_descr ->
  ?pos (* thwart tools/sync_stdlib_docs *):int64 ->
  kind:('a, 'b) Stdlib.Bigarray.kind ->
  layout:'c Stdlib.Bigarray.layout -> shared:bool -> dims:int array ->
  ('a, 'b, 'c) Stdlib.Bigarray.Genarray.t
(** Memory mapping of a file as a Bigarray.
  [map_file fd ~kind ~layout ~shared ~dims]
  returns a Bigarray of kind [kind], layout [layout],
  and dimensions as specified in [dims].  The data contained in
  this Bigarray are the contents of the file referred to by
  the file descriptor [fd] (as opened previously with
  {!openfile}, for example).  The optional [pos] parameter
  is the byte offset in the file of the data being mapped;
  it defaults to 0 (map from the beginning of the file).

  If [shared] is [true], all modifications performed on the array
  are reflected in the file.  This requires that [fd] be opened
  with write permissions.  If [shared] is [false], modifications
  performed on the array are done in memory only, using
  copy-on-write of the modified pages; the underlying file is not
  affected.

  [Genarray.map_file] is much more efficient than reading
  the whole file in a Bigarray, modifying that Bigarray,
  and writing it afterwards.

  To adjust automatically the dimensions of the Bigarray to
  the actual size of the file, the major dimension (that is,
  the first dimension for an array with C layout, and the last
  dimension for an array with Fortran layout) can be given as
  [-1].  [Genarray.map_file] then determines the major dimension
  from the size of the file.  The file must contain an integral
  number of sub-arrays as determined by the non-major dimensions,
  otherwise [Failure] is raised.

  If all dimensions of the Bigarray are given, the file size is
  matched against the size of the Bigarray.  If the file is larger
  than the Bigarray, only the initial portion of the file is
  mapped to the Bigarray.  If the file is smaller than the big
  array, the file is automatically grown to the size of the Bigarray.
  This requires write permissions on [fd].

  Array accesses are bounds-checked, but the bounds are determined by
  the initial call to [map_file]. Therefore, you should make sure no
  other process modifies the mapped file while you're accessing it,
  or a SIGBUS signal may be raised. This happens, for instance, if the
  file is shrunk.

  [Invalid_argument] or [Failure] may be raised in cases where argument
  validation fails.
  @since 4.06.0 *)

(** {1 Operations on file names} *)


val unlink : string -> unit
(** Removes the named file.

    If the named file is a directory, raises:
    {ul
    {- [EPERM] on POSIX compliant system}
    {- [EISDIR] on Linux >= 2.1.132}
    {- [EACCESS] on Windows}}
*)

val rename : src:string -> dst:string -> unit
(** [rename ~src ~dst] changes the name of a file from [src] to [dst],
    moving it between directories if needed.  If [dst] already
    exists, its contents will be replaced with those of [src].
    Depending on the operating system, the metadata (permissions,
    owner, etc) of [dst] can either be preserved or be replaced by
    those of [src].  *)

val link : ?follow (* thwart tools/sync_stdlib_docs *) :bool ->
           src:string -> dst:string -> unit
(** [link ?follow ~src ~dst] creates a hard link named [dst] to the file
   named [src].

   @param follow indicates whether a [src] symlink is followed or a
   hardlink to [src] itself will be created. On {e Unix} systems this is
   done using the [linkat(2)] function. If [?follow] is not provided, then the
   [link(2)] function is used whose behaviour is OS-dependent, but more widely
   available.

   @raise ENOSYS On {e Unix} if [~follow:_] is requested, but linkat is
                 unavailable.
   @raise ENOSYS On {e Windows} if [~follow:false] is requested. *)

val realpath : string -> string
(** [realpath p] is an absolute pathname for [p] obtained by resolving
    all extra [/] characters, relative path segments and symbolic links.

    @since 4.13.0 *)

(** {1 File permissions and ownership} *)


type access_permission = Unix.access_permission =
    R_OK                        (** Read permission *)
  | W_OK                        (** Write permission *)
  | X_OK                        (** Execution permission *)
  | F_OK                        (** File exists *)
(** Flags for the {!access} call. *)


val chmod : string -> perm:file_perm -> unit
(** Change the permissions of the named file. *)

val fchmod : file_descr -> perm:file_perm -> unit
(** Change the permissions of an opened file.

    On Windows: not implemented. *)

val chown : string -> uid:int -> gid:int -> unit
(** Change the owner uid and owner gid of the named file.

    On Windows: not implemented. *)

val fchown : file_descr -> uid:int -> gid:int -> unit
(** Change the owner uid and owner gid of an opened file.

    On Windows: not implemented. *)

val umask : int -> int
(** Set the process's file mode creation mask, and return the previous
    mask.

    On Windows: not implemented. *)

val access : string -> perm:access_permission list -> unit
(** Check that the process has the given permissions over the named file.

   On Windows: execute permission [X_OK] cannot be tested, just
   tests for read permission instead.

   @raise Unix_error otherwise.
   *)


(** {1 Operations on file descriptors} *)


val dup : ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
          file_descr -> file_descr
(** Return a new file descriptor referencing the same file as
   the given descriptor.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val dup2 : ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
           src:file_descr -> dst:file_descr -> unit
(** [dup2 ~src ~dst] duplicates [src] to [dst], closing [dst] if already
   opened.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val set_nonblock : file_descr -> unit
(** Set the ``non-blocking'' flag on the given descriptor.
   When the non-blocking flag is set, reading on a descriptor
   on which there is temporarily no data available raises the
   [EAGAIN] or [EWOULDBLOCK] error instead of blocking;
   writing on a descriptor on which there is temporarily no room
   for writing also raises [EAGAIN] or [EWOULDBLOCK]. *)

val clear_nonblock : file_descr -> unit
(** Clear the ``non-blocking'' flag on the given descriptor.
   See {!set_nonblock}.*)

val set_close_on_exec : file_descr -> unit
(** Set the ``close-on-exec'' flag on the given descriptor.
   A descriptor with the close-on-exec flag is automatically
   closed when the current process starts another program with
   one of the [exec], [create_process] and [open_process] functions.

   It is often a security hole to leak file descriptors opened on, say,
   a private file to an external program: the program, then, gets access
   to the private file and can do bad things with it.  Hence, it is
   highly recommended to set all file descriptors ``close-on-exec'',
   except in the very few cases where a file descriptor actually needs
   to be transmitted to another program.

   The best way to set a file descriptor ``close-on-exec'' is to create
   it in this state.  To this end, the [openfile] function has
   [O_CLOEXEC] and [O_KEEPEXEC] flags to enforce ``close-on-exec'' mode
   or ``keep-on-exec'' mode, respectively.  All other operations in
   the Unix module that create file descriptors have an optional
   argument [?cloexec:bool] to indicate whether the file descriptor
   should be created in ``close-on-exec'' mode (by writing
   [~cloexec:true]) or in ``keep-on-exec'' mode (by writing
   [~cloexec:false]).  For historical reasons, the default file
   descriptor creation mode is ``keep-on-exec'', if no [cloexec] optional
   argument is given.  This is not a safe default, hence it is highly
   recommended to pass explicit [cloexec] arguments to operations that
   create file descriptors.

   The [cloexec] optional arguments and the [O_KEEPEXEC] flag were introduced
   in OCaml 4.05.  Earlier, the common practice was to create file descriptors
   in the default, ``keep-on-exec'' mode, then call [set_close_on_exec]
   on those freshly-created file descriptors.  This is not as safe as
   creating the file descriptor in ``close-on-exec'' mode because, in
   multithreaded programs, a window of vulnerability exists between the time
   when the file descriptor is created and the time [set_close_on_exec]
   completes.  If another thread spawns another program during this window,
   the descriptor will leak, as it is still in the ``keep-on-exec'' mode.

   Regarding the atomicity guarantees given by [~cloexec:true] or by
   the use of the [O_CLOEXEC] flag: on all platforms it is guaranteed
   that a concurrently-executing Caml thread cannot leak the descriptor
   by starting a new process.  On Linux, this guarantee extends to
   concurrently-executing C threads.  As of Feb 2017, other operating
   systems lack the necessary system calls and still expose a window
   of vulnerability during which a C thread can see the newly-created
   file descriptor in ``keep-on-exec'' mode.
 *)

val clear_close_on_exec : file_descr -> unit
(** Clear the ``close-on-exec'' flag on the given descriptor.
   See {!set_close_on_exec}.*)


(** {1 Directories} *)


val mkdir : string -> perm:file_perm -> unit
(** Create a directory with the given permissions (see {!umask}). *)

val rmdir : string -> unit
(** Remove an empty directory. *)

val chdir : string -> unit
(** Change the process working directory. *)

val getcwd : unit -> string
(** Return the name of the current working directory. *)

val chroot : string -> unit
(** Change the process root directory.

    On Windows: not implemented. *)

type dir_handle = Unix.dir_handle
(** The type of descriptors over opened directories. *)

val opendir : string -> dir_handle
(** Open a descriptor on a directory *)

val readdir : dir_handle -> string
(** Return the next entry in a directory.
   @raise End_of_file when the end of the directory has been reached. *)

val rewinddir : dir_handle -> unit
(** Reposition the descriptor to the beginning of the directory *)

val closedir : dir_handle -> unit
(** Close a directory descriptor. *)



(** {1 Pipes and redirections} *)


val pipe : ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
           unit -> file_descr * file_descr
(** Create a pipe. The first component of the result is opened
   for reading, that's the exit to the pipe. The second component is
   opened for writing, that's the entrance to the pipe.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val mkfifo : string -> perm:file_perm -> unit
(** Create a named pipe with the given permissions (see {!umask}).

   On Windows: not implemented. *)


(** {1 High-level process and redirection management} *)


val create_process :
  prog:string -> args:string array -> stdin:file_descr -> stdout:file_descr ->
    stderr:file_descr -> int
(** [create_process ~prog ~args ~stdin ~stdout ~stderr]
   forks a new process that executes the program
   in file [prog], with arguments [args]. The pid of the new
   process is returned immediately; the new process executes
   concurrently with the current process.
   The standard input and outputs of the new process are connected
   to the descriptors [stdin], [stdout] and [stderr].
   Passing e.g. [Stdlib.stdout] for [stdout] prevents the redirection
   and causes the new process to have the same standard output
   as the current process.
   The executable file [prog] is searched in the path.
   The new process has the same environment as the current process. *)

val create_process_env :
  prog:string -> args:string array -> env:string array -> stdin:file_descr ->
    stdout:file_descr -> stderr:file_descr -> int
(** [create_process_env ~prog ~args ~env ~stdin ~stdout ~stderr]
   works as {!create_process}, except that the extra argument
   [env] specifies the environment passed to the program. *)


val open_process_in : string -> in_channel
(** High-level pipe and process management. This function
   runs the given command in parallel with the program.
   The standard output of the command is redirected to a pipe,
   which can be read via the returned input channel.
   The command is interpreted by the shell [/bin/sh]
   (or [cmd.exe] on Windows), cf. {!system}.
   The {!Filename.quote_command} function can be used to
   quote the command and its arguments as appropriate for the shell being
   used.  If the command does not need to be run through the shell,
   {!open_process_args_in} can be used as a more robust and
   more efficient alternative to {!open_process_in}. *)

val open_process_out : string -> out_channel
(** Same as {!open_process_in}, but redirect the standard input of
   the command to a pipe.  Data written to the returned output channel
   is sent to the standard input of the command.
   Warning: writes on output channels are buffered, hence be careful
   to call {!Stdlib.flush} at the right times to ensure
   correct synchronization.
   If the command does not need to be run through the shell,
   {!open_process_args_out} can be used instead of
   {!open_process_out}. *)

val open_process : string -> in_channel * out_channel
(** Same as {!open_process_out}, but redirects both the standard input
   and standard output of the command to pipes connected to the two
   returned channels.  The input channel is connected to the output
   of the command, and the output channel to the input of the command.
   If the command does not need to be run through the shell,
   {!open_process_args} can be used instead of
   {!open_process}. *)

val open_process_full :
  string -> env:string array -> in_channel * out_channel * in_channel
(** Similar to {!open_process}, but the second argument specifies
   the environment passed to the command.  The result is a triple
   of channels connected respectively to the standard output, standard input,
   and standard error of the command.
   If the command does not need to be run through the shell,
   {!open_process_args_full} can be used instead of
   {!open_process_full}. *)

val open_process_args_in : string -> string array -> in_channel
(** [open_process_args_in prog args] runs the program [prog] with arguments
    [args].  The new process executes concurrently with the current process.
    The standard output of the new process is redirected to a pipe, which can be
    read via the returned input channel.

    The executable file [prog] is searched in the path. This behaviour changed
    in 4.12; previously [prog] was looked up only in the current directory.

    The new process has the same environment as the current process.

    @since 4.08.0 *)

val open_process_args_out : string -> string array -> out_channel
(** Same as {!open_process_args_in}, but redirect the standard input of the new
    process to a pipe.  Data written to the returned output channel is sent to
    the standard input of the program.  Warning: writes on output channels are
    buffered, hence be careful to call {!Stdlib.flush} at the right times to
    ensure correct synchronization.

    @since 4.08.0 *)

val open_process_args : string -> string array -> in_channel * out_channel
(** Same as {!open_process_args_out}, but redirects both the standard input and
    standard output of the new process to pipes connected to the two returned
    channels.  The input channel is connected to the output of the program, and
    the output channel to the input of the program.

    @since 4.08.0 *)

val open_process_args_full :
  string -> string array -> string array ->
    in_channel * out_channel * in_channel
(** Similar to {!open_process_args}, but the third argument specifies the
    environment passed to the new process.  The result is a triple of channels
    connected respectively to the standard output, standard input, and standard
    error of the program.

    @since 4.08.0 *)

val process_in_pid : in_channel -> int
(** Return the pid of a process opened via {!open_process_in} or
   {!open_process_args_in}.

    @since 4.08.0 (4.12.0 in UnixLabels) *)

val process_out_pid : out_channel -> int
(** Return the pid of a process opened via {!open_process_out} or
   {!open_process_args_out}.

    @since 4.08.0 (4.12.0 in UnixLabels) *)

val process_pid : in_channel * out_channel -> int
(** Return the pid of a process opened via {!open_process} or
   {!open_process_args}.

    @since 4.08.0 (4.12.0 in UnixLabels) *)

val process_full_pid : in_channel * out_channel * in_channel -> int
(** Return the pid of a process opened via {!open_process_full} or
   {!open_process_args_full}.

    @since 4.08.0 (4.12.0 in UnixLabels) *)

val close_process_in : in_channel -> process_status
(** Close channels opened by {!open_process_in},
   wait for the associated command to terminate,
   and return its termination status. *)

val close_process_out : out_channel -> process_status
(** Close channels opened by {!open_process_out},
   wait for the associated command to terminate,
   and return its termination status. *)

val close_process : in_channel * out_channel -> process_status
(** Close channels opened by {!open_process},
   wait for the associated command to terminate,
   and return its termination status. *)

val close_process_full :
  in_channel * out_channel * in_channel -> process_status
(** Close channels opened by {!open_process_full},
   wait for the associated command to terminate,
   and return its termination status. *)


(** {1 Symbolic links} *)


val symlink : ?to_dir: (* thwart tools/sync_stdlib_docs *) bool ->
              src:string -> dst:string -> unit
(** [symlink ?to_dir ~src ~dst] creates the file [dst] as a symbolic link
   to the file [src]. On Windows, [~to_dir] indicates if the symbolic link
   points to a directory or a file; if omitted, [symlink] examines [src]
   using [stat] and picks appropriately, if [src] does not exist then [false]
   is assumed (for this reason, it is recommended that the [~to_dir] parameter
   be specified in new code). On Unix, [~to_dir] is ignored.

   Windows symbolic links are available in Windows Vista onwards. There are some
   important differences between Windows symlinks and their POSIX counterparts.

   Windows symbolic links come in two flavours: directory and regular, which
   designate whether the symbolic link points to a directory or a file. The type
   must be correct - a directory symlink which actually points to a file cannot
   be selected with chdir and a file symlink which actually points to a
   directory cannot be read or written (note that Cygwin's emulation layer
   ignores this distinction).

   When symbolic links are created to existing targets, this distinction doesn't
   matter and [symlink] will automatically create the correct kind of symbolic
   link. The distinction matters when a symbolic link is created to a
   non-existent target.

   The other caveat is that by default symbolic links are a privileged
   operation. Administrators will always need to be running elevated (or with
   UAC disabled) and by default normal user accounts need to be granted the
   SeCreateSymbolicLinkPrivilege via Local Security Policy (secpol.msc) or via
   Active Directory.

   {!has_symlink} can be used to check that a process is able to create
   symbolic links. *)

val has_symlink : unit -> bool
(** Returns [true] if the user is able to create symbolic links. On Windows,
   this indicates that the user not only has the SeCreateSymbolicLinkPrivilege
   but is also running elevated, if necessary. On other platforms, this is
   simply indicates that the symlink system call is available.
   @since 4.03.0 *)

val readlink : string -> string
(** Read the contents of a symbolic link. *)


(** {1 Polling} *)


val select :
  read:file_descr list -> write:file_descr list -> except:file_descr list ->
    timeout:float -> file_descr list * file_descr list * file_descr list
(** Wait until some input/output operations become possible on
   some channels. The three list arguments are, respectively, a set
   of descriptors to check for reading (first argument), for writing
   (second argument), or for exceptional conditions (third argument).
   The fourth argument is the maximal timeout, in seconds; a
   negative fourth argument means no timeout (unbounded wait).
   The result is composed of three sets of descriptors: those ready
   for reading (first component), ready for writing (second component),
   and over which an exceptional condition is pending (third
   component). *)

(** {1 Locking} *)

type lock_command = Unix.lock_command =
    F_ULOCK       (** Unlock a region *)
  | F_LOCK        (** Lock a region for writing, and block if already locked *)
  | F_TLOCK       (** Lock a region for writing, or fail if already locked *)
  | F_TEST        (** Test a region for other process locks *)
  | F_RLOCK       (** Lock a region for reading, and block if already locked *)
  | F_TRLOCK      (** Lock a region for reading, or fail if already locked *)
(** Commands for {!lockf}. *)

val lockf : file_descr -> mode:lock_command -> len:int -> unit
(** [lockf fd ~mode ~len] puts a lock on a region of the file opened
   as [fd]. The region starts at the current read/write position for
   [fd] (as set by {!lseek}), and extends [len] bytes forward if
   [len] is positive, [len] bytes backwards if [len] is negative,
   or to the end of the file if [len] is zero.
   A write lock prevents any other
   process from acquiring a read or write lock on the region.
   A read lock prevents any other
   process from acquiring a write lock on the region, but lets
   other processes acquire read locks on it.

   The [F_LOCK] and [F_TLOCK] commands attempts to put a write lock
   on the specified region.
   The [F_RLOCK] and [F_TRLOCK] commands attempts to put a read lock
   on the specified region.
   If one or several locks put by another process prevent the current process
   from acquiring the lock, [F_LOCK] and [F_RLOCK] block until these locks
   are removed, while [F_TLOCK] and [F_TRLOCK] fail immediately with an
   exception.
   The [F_ULOCK] removes whatever locks the current process has on
   the specified region.
   Finally, the [F_TEST] command tests whether a write lock can be
   acquired on the specified region, without actually putting a lock.
   It returns immediately if successful, or fails otherwise.

   What happens when a process tries to lock a region of a file that is
   already locked by the same process depends on the OS.  On POSIX-compliant
   systems, the second lock operation succeeds and may "promote" the older
   lock from read lock to write lock.  On Windows, the second lock
   operation will block or fail. *)


(** {1 Signals}
   Note: installation of signal handlers is performed via
   the functions {!Sys.signal} and {!Sys.set_signal}.
*)

val kill : pid:int -> signal:int -> unit
(** [kill ~pid ~signal] sends signal number [signal] to the process
   with id [pid].

   On Windows: only the {!Sys.sigkill} signal is emulated. *)

type sigprocmask_command = Unix.sigprocmask_command =
    SIG_SETMASK
  | SIG_BLOCK
  | SIG_UNBLOCK

val sigprocmask : mode:sigprocmask_command -> int list -> int list
(** [sigprocmask ~mode sigs] changes the set of blocked signals.
   If [mode] is [SIG_SETMASK], blocked signals are set to those in
   the list [sigs].
   If [mode] is [SIG_BLOCK], the signals in [sigs] are added to
   the set of blocked signals.
   If [mode] is [SIG_UNBLOCK], the signals in [sigs] are removed
   from the set of blocked signals.
   [sigprocmask] returns the set of previously blocked signals.

   When the systhreads version of the [Thread] module is loaded, this
   function redirects to [Thread.sigmask]. I.e., [sigprocmask] only
   changes the mask of the current thread.

   On Windows: not implemented (no inter-process signals on Windows). *)

val sigpending : unit -> int list
(** Return the set of blocked signals that are currently pending.

   On Windows: not implemented (no inter-process signals on Windows). *)

val sigsuspend : int list -> unit
(** [sigsuspend sigs] atomically sets the blocked signals to [sigs]
   and waits for a non-ignored, non-blocked signal to be delivered.
   On return, the blocked signals are reset to their initial value.

   On Windows: not implemented (no inter-process signals on Windows). *)

val pause : unit -> unit
(** Wait until a non-ignored, non-blocked signal is delivered.

  On Windows: not implemented (no inter-process signals on Windows). *)


(** {1 Time functions} *)


type process_times = Unix.process_times =
  { tms_utime : float;  (** User time for the process *)
    tms_stime : float;  (** System time for the process *)
    tms_cutime : float; (** User time for the children processes *)
    tms_cstime : float; (** System time for the children processes *)
  }
(** The execution times (CPU times) of a process. *)

type tm = Unix.tm =
  { tm_sec : int;               (** Seconds 0..60 *)
    tm_min : int;               (** Minutes 0..59 *)
    tm_hour : int;              (** Hours 0..23 *)
    tm_mday : int;              (** Day of month 1..31 *)
    tm_mon : int;               (** Month of year 0..11 *)
    tm_year : int;              (** Year - 1900 *)
    tm_wday : int;              (** Day of week (Sunday is 0) *)
    tm_yday : int;              (** Day of year 0..365 *)
    tm_isdst : bool;            (** Daylight time savings in effect *)
  }
(** The type representing wallclock time and calendar date. *)


val time : unit -> float
(** Return the current time since 00:00:00 GMT, Jan. 1, 1970,
   in seconds. *)

val gettimeofday : unit -> float
(** Same as {!time}, but with resolution better than 1 second. *)

val gmtime : float -> tm
(** Convert a time in seconds, as returned by {!time}, into a date and
   a time. Assumes UTC (Coordinated Universal Time), also known as GMT.
   To perform the inverse conversion, set the TZ environment variable
   to "UTC", use {!mktime}, and then restore the original value of TZ. *)

val localtime : float -> tm
(** Convert a time in seconds, as returned by {!time}, into a date and
   a time. Assumes the local time zone.
   The function performing the inverse conversion is {!mktime}. *)

val mktime : tm -> float * tm
(** Convert a date and time, specified by the [tm] argument, into
   a time in seconds, as returned by {!time}.  The [tm_isdst],
   [tm_wday] and [tm_yday] fields of [tm] are ignored.  Also return a
   normalized copy of the given [tm] record, with the [tm_wday],
   [tm_yday], and [tm_isdst] fields recomputed from the other fields,
   and the other fields normalized (so that, e.g., 40 October is
   changed into 9 November).  The [tm] argument is interpreted in the
   local time zone. *)

val alarm : int -> int
(** Schedule a [SIGALRM] signal after the given number of seconds.

   On Windows: not implemented. *)

val sleep : int -> unit
(** Stop execution for the given number of seconds. *)

val sleepf : float -> unit
(** Stop execution for the given number of seconds.  Like [sleep],
    but fractions of seconds are supported.

    @since 4.03.0 (4.12.0 in UnixLabels) *)

val times : unit -> process_times
(** Return the execution times of the process.

   On Windows: partially implemented, will not report timings
   for child processes. *)

val utimes : string -> access:float -> modif:float -> unit
(** Set the last access time (second arg) and last modification time
   (third arg) for a file. Times are expressed in seconds from
   00:00:00 GMT, Jan. 1, 1970.  If both times are [0.0], the access
   and last modification times are both set to the current time. *)

type interval_timer = Unix.interval_timer =
    ITIMER_REAL
      (** decrements in real time, and sends the signal [SIGALRM] when
          expired.*)
  | ITIMER_VIRTUAL
      (** decrements in process virtual time, and sends [SIGVTALRM] when
          expired. *)
  | ITIMER_PROF
      (** (for profiling) decrements both when the process
         is running and when the system is running on behalf of the
         process; it sends [SIGPROF] when expired. *)
(** The three kinds of interval timers. *)

type interval_timer_status = Unix.interval_timer_status =
  { it_interval : float;         (** Period *)
    it_value : float;            (** Current value of the timer *)
  }
(** The type describing the status of an interval timer *)

val getitimer : interval_timer -> interval_timer_status
(** Return the current status of the given interval timer.

   On Windows: not implemented. *)

val setitimer :
  interval_timer -> interval_timer_status -> interval_timer_status
(** [setitimer t s] sets the interval timer [t] and returns
   its previous status. The [s] argument is interpreted as follows:
   [s.it_value], if nonzero, is the time to the next timer expiration;
   [s.it_interval], if nonzero, specifies a value to
   be used in reloading [it_value] when the timer expires.
   Setting [s.it_value] to zero disables the timer.
   Setting [s.it_interval] to zero causes the timer to be disabled
   after its next expiration.

   On Windows: not implemented. *)


(** {1 User id, group id} *)

val getuid : unit -> int
(** Return the user id of the user executing the process.

   On Windows: always returns [1]. *)

val geteuid : unit -> int
(** Return the effective user id under which the process runs.

   On Windows: always returns [1]. *)

val setuid : int -> unit
(** Set the real user id and effective user id for the process.

   On Windows: not implemented. *)

val getgid : unit -> int
(** Return the group id of the user executing the process.

   On Windows: always returns [1]. *)

val getegid : unit -> int
(** Return the effective group id under which the process runs.

   On Windows: always returns [1]. *)

val setgid : int -> unit
(** Set the real group id and effective group id for the process.

   On Windows: not implemented. *)

val getgroups : unit -> int array
(** Return the list of groups to which the user executing the process
   belongs.

   On Windows: always returns [[|1|]]. *)

val setgroups : int array -> unit
(** [setgroups groups] sets the supplementary group IDs for the
    calling process. Appropriate privileges are required.

    On Windows: not implemented. *)

val initgroups : string -> int -> unit
(** [initgroups user group] initializes the group access list by
    reading the group database /etc/group and using all groups of
    which [user] is a member. The additional group [group] is also
    added to the list.

    On Windows: not implemented. *)

type passwd_entry = Unix.passwd_entry =
  { pw_name : string;
    pw_passwd : string;
    pw_uid : int;
    pw_gid : int;
    pw_gecos : string;
    pw_dir : string;
    pw_shell : string
  }
(** Structure of entries in the [passwd] database. *)

type group_entry = Unix.group_entry =
  { gr_name : string;
    gr_passwd : string;
    gr_gid : int;
    gr_mem : string array
  }
(** Structure of entries in the [groups] database. *)

val getlogin : unit -> string
(** Return the login name of the user executing the process. *)

val getpwnam : string -> passwd_entry
(** Find an entry in [passwd] with the given name.
   @raise Not_found if no such entry exists, or always on Windows. *)

val getgrnam : string -> group_entry
(** Find an entry in [group] with the given name.

   @raise Not_found if no such entry exists, or always on Windows. *)

val getpwuid : int -> passwd_entry
(** Find an entry in [passwd] with the given user id.

   @raise Not_found if no such entry exists, or always on Windows. *)

val getgrgid : int -> group_entry
(** Find an entry in [group] with the given group id.

   @raise Not_found if no such entry exists, or always on Windows. *)


(** {1 Internet addresses} *)


type inet_addr = Unix.inet_addr
(** The abstract type of Internet addresses. *)

val inet_addr_of_string : string -> inet_addr
(** Conversion from the printable representation of an Internet
    address to its internal representation.  The argument string
    consists of 4 numbers separated by periods ([XXX.YYY.ZZZ.TTT])
    for IPv4 addresses, and up to 8 numbers separated by colons
    for IPv6 addresses.
    @raise Failure when given a string that does not match these formats. *)

val string_of_inet_addr : inet_addr -> string
(** Return the printable representation of the given Internet address.
    See {!inet_addr_of_string} for a description of the
    printable representation. *)

val inet_addr_any : inet_addr
(** A special IPv4 address, for use only with [bind], representing
   all the Internet addresses that the host machine possesses. *)

val inet_addr_loopback : inet_addr
(** A special IPv4 address representing the host machine ([127.0.0.1]). *)

val inet6_addr_any : inet_addr
(** A special IPv6 address, for use only with [bind], representing
   all the Internet addresses that the host machine possesses. *)

val inet6_addr_loopback : inet_addr
(** A special IPv6 address representing the host machine ([::1]). *)

val is_inet6_addr : inet_addr -> bool
(** Whether the given [inet_addr] is an IPv6 address.
    @since 4.12.0 *)

(** {1 Sockets} *)


type socket_domain = Unix.socket_domain =
    PF_UNIX                     (** Unix domain *)
  | PF_INET                     (** Internet domain (IPv4) *)
  | PF_INET6                    (** Internet domain (IPv6) *)
(** The type of socket domains.  Not all platforms support
    IPv6 sockets (type [PF_INET6]).

    On Windows: [PF_UNIX] not implemented.  *)

type socket_type = Unix.socket_type =
    SOCK_STREAM                 (** Stream socket *)
  | SOCK_DGRAM                  (** Datagram socket *)
  | SOCK_RAW                    (** Raw socket *)
  | SOCK_SEQPACKET              (** Sequenced packets socket *)
(** The type of socket kinds, specifying the semantics of
   communications.  [SOCK_SEQPACKET] is included for completeness,
   but is rarely supported by the OS, and needs system calls that
   are not available in this library. *)

type sockaddr = Unix.sockaddr =
    ADDR_UNIX of string
  | ADDR_INET of inet_addr * int (**)
(** The type of socket addresses. [ADDR_UNIX name] is a socket
   address in the Unix domain; [name] is a file name in the file
   system. [ADDR_INET(addr,port)] is a socket address in the Internet
   domain; [addr] is the Internet address of the machine, and
   [port] is the port number. *)

val socket :
  ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
    domain:socket_domain -> kind:socket_type -> protocol:int -> file_descr
(** Create a new socket in the given domain, and with the
   given kind. The third argument is the protocol type; 0 selects
   the default protocol for that kind of sockets.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val domain_of_sockaddr: sockaddr -> socket_domain
(** Return the socket domain adequate for the given socket address. *)

val socketpair :
  ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
    domain:socket_domain -> kind:socket_type -> protocol:int ->
    file_descr * file_descr
(** Create a pair of unnamed sockets, connected together.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val accept : ?cloexec: (* thwart tools/sync_stdlib_docs *) bool ->
             file_descr -> file_descr * sockaddr
(** Accept connections on the given socket. The returned descriptor
   is a socket connected to the client; the returned address is
   the address of the connecting client.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. *)

val bind : file_descr -> addr:sockaddr -> unit
(** Bind a socket to an address. *)

val connect : file_descr -> addr:sockaddr -> unit
(** Connect a socket to an address. *)

val listen : file_descr -> max:int -> unit
(** Set up a socket for receiving connection requests. The integer
   argument is the maximal number of pending requests. *)

type shutdown_command = Unix.shutdown_command =
    SHUTDOWN_RECEIVE            (** Close for receiving *)
  | SHUTDOWN_SEND               (** Close for sending *)
  | SHUTDOWN_ALL                (** Close both *)
(** The type of commands for [shutdown]. *)


val shutdown : file_descr -> mode:shutdown_command -> unit
(** Shutdown a socket connection. [SHUTDOWN_SEND] as second argument
   causes reads on the other end of the connection to return
   an end-of-file condition.
   [SHUTDOWN_RECEIVE] causes writes on the other end of the connection
   to return a closed pipe condition ([SIGPIPE] signal). *)

val getsockname : file_descr -> sockaddr
(** Return the address of the given socket. *)

val getpeername : file_descr -> sockaddr
(** Return the address of the host connected to the given socket. *)

type msg_flag = Unix.msg_flag =
    MSG_OOB
  | MSG_DONTROUTE
  | MSG_PEEK (**)
(** The flags for {!recv}, {!recvfrom}, {!send} and {!sendto}. *)

val recv :
  file_descr -> buf:bytes -> pos:int -> len:int -> mode:msg_flag list -> int
(** Receive data from a connected socket. *)

val recvfrom :
  file_descr -> buf:bytes -> pos:int -> len:int -> mode:msg_flag list ->
    int * sockaddr
(** Receive data from an unconnected socket. *)

val send :
  file_descr -> buf:bytes -> pos:int -> len:int -> mode:msg_flag list -> int
(** Send data over a connected socket. *)

val send_substring :
  file_descr -> buf:string -> pos:int -> len:int -> mode:msg_flag list -> int
(** Same as [send], but take the data from a string instead of a byte
    sequence.
    @since 4.02.0 *)

val sendto :
  file_descr -> buf:bytes -> pos:int -> len:int -> mode:msg_flag list ->
    addr:sockaddr -> int
(** Send data over an unconnected socket. *)

val sendto_substring :
  file_descr -> buf:string -> pos:int -> len:int -> mode:msg_flag list
  -> sockaddr -> int
(** Same as [sendto], but take the data from a string instead of a
    byte sequence.
    @since 4.02.0 *)



(** {1 Socket options} *)


type socket_bool_option = Unix.socket_bool_option =
    SO_DEBUG       (** Record debugging information *)
  | SO_BROADCAST   (** Permit sending of broadcast messages *)
  | SO_REUSEADDR   (** Allow reuse of local addresses for bind *)
  | SO_KEEPALIVE   (** Keep connection active *)
  | SO_DONTROUTE   (** Bypass the standard routing algorithms *)
  | SO_OOBINLINE   (** Leave out-of-band data in line *)
  | SO_ACCEPTCONN  (** Report whether socket listening is enabled *)
  | TCP_NODELAY    (** Control the Nagle algorithm for TCP sockets *)
  | IPV6_ONLY      (** Forbid binding an IPv6 socket to an IPv4 address *)
  | SO_REUSEPORT   (** Allow reuse of address and port bindings *)
(** The socket options that can be consulted with {!getsockopt}
   and modified with {!setsockopt}.  These options have a boolean
   ([true]/[false]) value. *)

type socket_int_option = Unix.socket_int_option =
    SO_SNDBUF    (** Size of send buffer *)
  | SO_RCVBUF    (** Size of received buffer *)
  | SO_ERROR     (** Deprecated.  Use {!getsockopt_error} instead. *)
  | SO_TYPE      (** Report the socket type *)
  | SO_RCVLOWAT  (** Minimum number of bytes to process for input operations *)
  | SO_SNDLOWAT  (** Minimum number of bytes to process for output operations *)
(** The socket options that can be consulted with {!getsockopt_int}
   and modified with {!setsockopt_int}.  These options have an
   integer value. *)

type socket_optint_option = Unix.socket_optint_option =
  SO_LINGER      (** Whether to linger on closed connections
                    that have data present, and for how long
                    (in seconds) *)
(** The socket options that can be consulted with {!getsockopt_optint}
   and modified with {!setsockopt_optint}.  These options have a
   value of type [int option], with [None] meaning ``disabled''. *)

type socket_float_option = Unix.socket_float_option =
    SO_RCVTIMEO    (** Timeout for input operations *)
  | SO_SNDTIMEO    (** Timeout for output operations *)
(** The socket options that can be consulted with {!getsockopt_float}
   and modified with {!setsockopt_float}.  These options have a
   floating-point value representing a time in seconds.
   The value 0 means infinite timeout. *)

val getsockopt : file_descr -> socket_bool_option -> bool
(** Return the current status of a boolean-valued option
   in the given socket. *)

val setsockopt : file_descr -> socket_bool_option -> bool -> unit
(** Set or clear a boolean-valued option in the given socket. *)

val getsockopt_int : file_descr -> socket_int_option -> int
(** Same as {!getsockopt} for an integer-valued socket option. *)

val setsockopt_int : file_descr -> socket_int_option -> int -> unit
(** Same as {!setsockopt} for an integer-valued socket option. *)

val getsockopt_optint : file_descr -> socket_optint_option -> int option
(** Same as {!getsockopt} for a socket option whose value is
    an [int option]. *)

val setsockopt_optint :
      file_descr -> socket_optint_option -> int option -> unit
(** Same as {!setsockopt} for a socket option whose value is
    an [int option]. *)

val getsockopt_float : file_descr -> socket_float_option -> float
(** Same as {!getsockopt} for a socket option whose value is a
    floating-point number. *)

val setsockopt_float : file_descr -> socket_float_option -> float -> unit
(** Same as {!setsockopt} for a socket option whose value is a
    floating-point number. *)

val getsockopt_error : file_descr -> error option
(** Return the error condition associated with the given socket,
    and clear it. *)

(** {1 High-level network connection functions} *)


val open_connection : sockaddr -> in_channel * out_channel
(** Connect to a server at the given address.
   Return a pair of buffered channels connected to the server.
   Remember to call {!Stdlib.flush} on the output channel at the right
   times to ensure correct synchronization.

   The two channels returned by [open_connection] share a descriptor
   to a socket.  Therefore, when the connection is over, you should
   call {!Stdlib.close_out} on the output channel, which will also close
   the underlying socket.  Do not call {!Stdlib.close_in} on the input
   channel; it will be collected by the GC eventually.
*)


val shutdown_connection : in_channel -> unit
(** ``Shut down'' a connection established with {!open_connection};
   that is, transmit an end-of-file condition to the server reading
   on the other side of the connection. This does not close the
   socket and the channels used by the connection.
   See {!Unix.open_connection} for how to close them once the
   connection is over. *)

val establish_server :
  (in_channel -> out_channel -> unit) -> addr:sockaddr -> unit
(** Establish a server on the given address.
   The function given as first argument is called for each connection
   with two buffered channels connected to the client. A new process
   is created for each connection. The function {!establish_server}
   never returns normally.

   The two channels given to the function share a descriptor to a
   socket.  The function does not need to close the channels, since this
   occurs automatically when the function returns.  If the function
   prefers explicit closing, it should close the output channel using
   {!Stdlib.close_out} and leave the input channel unclosed,
   for reasons explained in {!Unix.in_channel_of_descr}.

   On Windows: not implemented (use threads). *)


(** {1 Host and protocol databases} *)

type host_entry = Unix.host_entry =
  { h_name : string;
    h_aliases : string array;
    h_addrtype : socket_domain;
    h_addr_list : inet_addr array
  }
(** Structure of entries in the [hosts] database. *)

type protocol_entry = Unix.protocol_entry =
  { p_name : string;
    p_aliases : string array;
    p_proto : int
  }
(** Structure of entries in the [protocols] database. *)

type service_entry = Unix.service_entry =
  { s_name : string;
    s_aliases : string array;
    s_port : int;
    s_proto : string
  }
(** Structure of entries in the [services] database. *)

val gethostname : unit -> string
(** Return the name of the local host. *)

val gethostbyname : string -> host_entry
(** Find an entry in [hosts] with the given name.
    @raise Not_found if no such entry exists. *)

val gethostbyaddr : inet_addr -> host_entry
(** Find an entry in [hosts] with the given address.
    @raise Not_found if no such entry exists. *)

val getprotobyname : string -> protocol_entry
(** Find an entry in [protocols] with the given name.
    @raise Not_found if no such entry exists. *)

val getprotobynumber : int -> protocol_entry
(** Find an entry in [protocols] with the given protocol number.
    @raise Not_found if no such entry exists. *)

val getservbyname : string -> protocol:string -> service_entry
(** Find an entry in [services] with the given name.
    @raise Not_found if no such entry exists. *)

val getservbyport : int -> protocol:string -> service_entry
(** Find an entry in [services] with the given service number.
    @raise Not_found if no such entry exists. *)

type addr_info = Unix.addr_info =
  { ai_family : socket_domain;          (** Socket domain *)
    ai_socktype : socket_type;          (** Socket type *)
    ai_protocol : int;                  (** Socket protocol number *)
    ai_addr : sockaddr;                 (** Address *)
    ai_canonname : string               (** Canonical host name  *)
  }
(** Address information returned by {!getaddrinfo}. *)

type getaddrinfo_option = Unix.getaddrinfo_option =
    AI_FAMILY of socket_domain          (** Impose the given socket domain *)
  | AI_SOCKTYPE of socket_type          (** Impose the given socket type *)
  | AI_PROTOCOL of int                  (** Impose the given protocol  *)
  | AI_NUMERICHOST                      (** Do not call name resolver,
                                            expect numeric IP address *)
  | AI_CANONNAME                        (** Fill the [ai_canonname] field
                                            of the result *)
  | AI_PASSIVE                          (** Set address to ``any'' address
                                            for use with {!bind} *)
(** Options to {!getaddrinfo}. *)

val getaddrinfo:
  string -> string -> getaddrinfo_option list -> addr_info list
(** [getaddrinfo host service opts] returns a list of {!addr_info}
    records describing socket parameters and addresses suitable for
    communicating with the given host and service.  The empty list is
    returned if the host or service names are unknown, or the constraints
    expressed in [opts] cannot be satisfied.

    [host] is either a host name or the string representation of an IP
    address.  [host] can be given as the empty string; in this case,
    the ``any'' address or the ``loopback'' address are used,
    depending whether [opts] contains [AI_PASSIVE].
    [service] is either a service name or the string representation of
    a port number.  [service] can be given as the empty string;
    in this case, the port field of the returned addresses is set to 0.
    [opts] is a possibly empty list of options that allows the caller
    to force a particular socket domain (e.g. IPv6 only or IPv4 only)
    or a particular socket type (e.g. TCP only or UDP only). *)

type name_info = Unix.name_info =
  { ni_hostname : string;               (** Name or IP address of host *)
    ni_service : string;                (** Name of service or port number *)
  }
(** Host and service information returned by {!getnameinfo}. *)

type getnameinfo_option = Unix.getnameinfo_option =
    NI_NOFQDN            (** Do not qualify local host names *)
  | NI_NUMERICHOST       (** Always return host as IP address *)
  | NI_NAMEREQD          (** Fail if host name cannot be determined *)
  | NI_NUMERICSERV       (** Always return service as port number *)
  | NI_DGRAM             (** Consider the service as UDP-based
                             instead of the default TCP *)
(** Options to {!getnameinfo}. *)

val getnameinfo : sockaddr -> getnameinfo_option list -> name_info
(** [getnameinfo addr opts] returns the host name and service name
    corresponding to the socket address [addr].  [opts] is a possibly
    empty list of options that governs how these names are obtained.
    @raise Not_found if an error occurs. *)


(** {1 Terminal interface} *)


(** The following functions implement the POSIX standard terminal
   interface. They provide control over asynchronous communication ports
   and pseudo-terminals. Refer to the [termios] man page for a
   complete description. *)

type terminal_io = Unix.terminal_io =
  {
    (* input modes *)
    mutable c_ignbrk : bool;  (** Ignore the break condition. *)
    mutable c_brkint : bool;  (** Signal interrupt on break condition. *)
    mutable c_ignpar : bool;  (** Ignore characters with parity errors. *)
    mutable c_parmrk : bool;  (** Mark parity errors. *)
    mutable c_inpck : bool;   (** Enable parity check on input. *)
    mutable c_istrip : bool;  (** Strip 8th bit on input characters. *)
    mutable c_inlcr : bool;   (** Map NL to CR on input. *)
    mutable c_igncr : bool;   (** Ignore CR on input. *)
    mutable c_icrnl : bool;   (** Map CR to NL on input. *)
    mutable c_ixon : bool;    (** Recognize XON/XOFF characters on input. *)
    mutable c_ixoff : bool;   (** Emit XON/XOFF chars to control input flow. *)
    (* Output modes: *)
    mutable c_opost : bool;   (** Enable output processing. *)
    (* Control modes: *)
    mutable c_obaud : int;    (** Output baud rate (0 means close connection).*)
    mutable c_ibaud : int;    (** Input baud rate. *)
    mutable c_csize : int;    (** Number of bits per character (5-8). *)
    mutable c_cstopb : int;   (** Number of stop bits (1-2). *)
    mutable c_cread : bool;   (** Reception is enabled. *)
    mutable c_parenb : bool;  (** Enable parity generation and detection. *)
    mutable c_parodd : bool;  (** Specify odd parity instead of even. *)
    mutable c_hupcl : bool;   (** Hang up on last close. *)
    mutable c_clocal : bool;  (** Ignore modem status lines. *)
    (* Local modes: *)
    mutable c_isig : bool;    (** Generate signal on INTR, QUIT, SUSP. *)
    mutable c_icanon : bool;  (** Enable canonical processing
                                 (line buffering and editing) *)
    mutable c_noflsh : bool;  (** Disable flush after INTR, QUIT, SUSP. *)
    mutable c_echo : bool;    (** Echo input characters. *)
    mutable c_echoe : bool;   (** Echo ERASE (to erase previous character). *)
    mutable c_echok : bool;   (** Echo KILL (to erase the current line). *)
    mutable c_echonl : bool;  (** Echo NL even if c_echo is not set. *)
    (* Control characters: *)
    mutable c_vintr : char;   (** Interrupt character (usually ctrl-C). *)
    mutable c_vquit : char;   (** Quit character (usually ctrl-\). *)
    mutable c_verase : char;  (** Erase character (usually DEL or ctrl-H). *)
    mutable c_vkill : char;   (** Kill line character (usually ctrl-U). *)
    mutable c_veof : char;    (** End-of-file character (usually ctrl-D). *)
    mutable c_veol : char;    (** Alternate end-of-line char. (usually none). *)
    mutable c_vmin : int;     (** Minimum number of characters to read
                                 before the read request is satisfied. *)
    mutable c_vtime : int;    (** Maximum read wait (in 0.1s units). *)
    mutable c_vstart : char;  (** Start character (usually ctrl-Q). *)
    mutable c_vstop : char;   (** Stop character (usually ctrl-S). *)
  }

val tcgetattr : file_descr -> terminal_io
(** Return the status of the terminal referred to by the given
   file descriptor.

   On Windows: not implemented. *)

type setattr_when = Unix.setattr_when =
    TCSANOW
  | TCSADRAIN
  | TCSAFLUSH

val tcsetattr : file_descr -> mode:setattr_when -> terminal_io -> unit
(** Set the status of the terminal referred to by the given
   file descriptor. The second argument indicates when the
   status change takes place: immediately ([TCSANOW]),
   when all pending output has been transmitted ([TCSADRAIN]),
   or after flushing all input that has been received but not
   read ([TCSAFLUSH]). [TCSADRAIN] is recommended when changing
   the output parameters; [TCSAFLUSH], when changing the input
   parameters.

   On Windows: not implemented. *)

val tcsendbreak : file_descr -> duration:int -> unit
(** Send a break condition on the given file descriptor.
   The second argument is the duration of the break, in 0.1s units;
   0 means standard duration (0.25s).

   On Windows: not implemented. *)

val tcdrain : file_descr -> unit
(** Waits until all output written on the given file descriptor
   has been transmitted.

   On Windows: not implemented. *)

type flush_queue = Unix.flush_queue =
    TCIFLUSH
  | TCOFLUSH
  | TCIOFLUSH

val tcflush : file_descr -> mode:flush_queue -> unit
(** Discard data written on the given file descriptor but not yet
   transmitted, or data received but not yet read, depending on the
   second argument: [TCIFLUSH] flushes data received but not read,
   [TCOFLUSH] flushes data written but not transmitted, and
   [TCIOFLUSH] flushes both.

   On Windows: not implemented. *)

type flow_action = Unix.flow_action =
    TCOOFF
  | TCOON
  | TCIOFF
  | TCION

val tcflow : file_descr -> mode:flow_action -> unit
(** Suspend or restart reception or transmission of data on
   the given file descriptor, depending on the second argument:
   [TCOOFF] suspends output, [TCOON] restarts output,
   [TCIOFF] transmits a STOP character to suspend input,
   and [TCION] transmits a START character to restart input.

   On Windows: not implemented. *)

val setsid : unit -> int
(** Put the calling process in a new session and detach it from
   its controlling terminal.

   On Windows: not implemented. *)
                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   [rFԬ,Iw,[vYr<٩)	4Ɏ 44HQϏ}ڪs{wN7();;1%}\sћGZQkwěD5ߣG|xZLXߨѣ4gw@_)FxeTsD*OLH\S!2̊Bց>g.B)~ѣ7wE**Zff<e⼈,Nߦ;9A:9=C(	:VϔDef	UK\NU̔P
hnUfŋ2L&ɅLBWnb%r=Id2z,</TQnD\R,RNV\["^P&~8<*D<3L♌MOmCU4
-X-@$rjLCZ\Lu2WQDsσ
VיGwƊ@BS$acmŋ1H	@pDVet˩9q|o\eoOwg'͟)Uɤd/D5	6ӓrs31%
!-
3Yy)<2VUͤd2)DNTOuG{7 ǁN.X-J$X`.&2bAGIn3QjZX[-Rm鎱5hAk2|qJ}̕eWx[UμRF|U$
ytbTGkU6[MpJz8>27۠2M#Nq782mLTkԾLk
ߒ?t;vP	+]싿Eri#-B5qCYXc;jH
Ƣ'-+,\:b-G
}ϛ4.8"WC\XxI:&g=!
{U"(S2\x✒+o	%W
eqOBӹL
cC5PD?Ȅnd5U	2[.dέ+t$)d/[9肧t4<yG-Mw)wrmkj㈭LUd8~85ELe=)xC8wg@pb$֬I[jfqB(~P:dףLJsR@{oWưjtIFr#1I	4􄸺F+6n8P+u{H)+!CR WAiz8~ ¯$h^yEbNV,	Ep P4KtN+|1Q !c΂.vL3e>˃c u~`BnWD+#(4Br&u.FYOLY-\5aXHn'![4HE&B<?m:#ZC`RX[㊓V-lIU&|lTIŏچ`M`s&	qB<oᙽnf"^
]t)48y$Óio efTn#V}FNL.ZǸФ?2mt>PUᬲtM PK&-8!?VI.{<8IS%.qI%v # bo=
(ҭ9dpMyacwuq#ayp"=_sj]Ȕ i
93tLN$
 /Z(IM}Ro) #tf3	l>5 xU 9GNաzOɇ'`l]Fa`'N):l|ΰr #DyĿƜ1@hC$m6"[mblRh%r~sXpN3P3
=7 nȯ]0=WӬNxV	kUޑKp')\á0Dʐ
'xzM".X"<J(xɥ"H]K  /YEZ"_ щn&:JbO,msq_^.CMa%dd)т%q]GDxٱbՠJ{SAaeB,]WᄮA(rnVת{v9eJ_@(%TWX݀@% l"M;~lk=-Չ(ONh"d IyHY=yDɜkrm:UEMe|rđS$eW 8"bRu<Gpu>Au=.'870_]dnH	(pEϑ>fE5Fg[,bEjɲ\GJf(M*[qC~c3=KMAê\_Wxan<ggp%W8{ʪ^_뭋ǍH;|^Fd0ɈTrVSHK:I3~Սb|qsEҺMXEfkn^鞣fX1ԯ^p fB/YzXQ#1`'8qZoRx8	Nh/C+GMdcȃ&a2 BI_GpE R
,
FbҔD*O);p
϶W{ze%BAt׆y)+W(Ґ/Y'ȅ(hm9/4z&ӭ< FV?giP95ȹsŚ^amdHgwoN^~8{vRpvrX>:gbl𻆀<zQ,T2oq=^!<R" JUo" yfN.M)MRj0dP4Η,>>}U(ʹ&4#2e&p hZ6 ]C9#gt4:eټr)ŚZ?IiR?뎷ꩊ'MX1풠?so2i)7	zM+pI@'.FKʄ8'6ρ$?KJȫϡ.W@8*7e:7kbbd߹\P"

`
ojv(~]6/tlHWI4nVjR7
LKj$\ߖi@aj&jR	n%˜wxU*?zZ7khl`Wee^DeGNՙSN;7x3ǡ˜t@
DWٸG4]R8?ڸ`C뼅؟|DS9i830\VCě5I
tI7ʓ;"QfLq\`IzI-awBqȳ~W.d?('It#5J% C|gxO|\	zi3׸HhRʭJ\ʜEyI5W"ﯓ#50ﶊN&j붊¡5C8JܮRm0'U݆9}1瘫H*\O%l)LDh%{e*m`H~vu=_9|PNe#glS!e2+-7wL]rnnp={ob,DUi8:tw*NRH%r74;HFZ+i񧡓/w9&fǕ
eԻ\}n!7+';܁;9x:Tw}iz5x7LQDVO~9~"NGY%SjhS*Nvɥ_tՆD0RcK&$HNU6)m~:_E1˟X}m3Rl2jA!
7 =#x4IXdfc*) Ҏ^eߛ>h(U{~'V%/" ,OqsMjֲeWLDNx-cMJ~;@-E>tE/$I+%k$vd-x@b2RxFR<6XqTĥ7܏nșlH1g2OeG{G\-^_x<o8ڣ
u8+q?U4(l98X7^sJ~j}Dڈ*v[e
{:n#{WY3݊1*ބtW,z蛖IU2yPfەC31עH}eLKK}{|r94wMG!	<<)"p/b+I\ӲhF C>{j
4Kj;ŚHӋKGT߻rAm齵rfxMzbI	|+ӛ9DIyH }W(,1T7HpPl%`yF$Nt߰fУ8΄w(K@Dbzy hO<znv,t #)'mȕ^Ϳu|RVm sx,'壻v#DˆN d)	Rpt*fbWL\ߧy
7n^#3|ѷ
GT0LA}_AxC%akkϤ,|1macc91u]l$e>x;gSbu&L1_"rcoR|յTba'Dw4"6Y
.E[X:׍=۹!r4|s;|@|,P)ֽ[^nz@Iǂ+ n[9|
&Im*/[qY}F6̲\U[imbe^brݾToY8znO7Ӊ:Z_o4&IO5׫Nyk}o_E9c]K'A\XDG4B~t42,}D\evum,ǇR$$wA_ӼOE0r˙g1VyS!	
/CX쇸HӌS&aϿ0Gnji{Ȼ[v.޵4S6㯭w4׼l11pŭBno&]Fi!"d]b]k=;X<G3u ˝*bGr ,?m ׋]ζTpwnoW{a͸?\d貔_]aswj4n9Y\g9C9:w>5 98M\yng>e/zf"\jy]Y5˵ʹ[wg.WԢwo6 |ڽLQMJZlwZ`(e(4
%v{"?";I\f]cd>s
U HJ,98\ nw4?Fn}KuL^Ұ(mJ/T3Q3X:\ѣ]͜a!5S]4BE^)OA1&-blfQtc55_^8Gyr.䷘1XO\;'ߣ^fyv>};kFKIKΈ=0itmn{4Ahc)98_P*|[
_]	0]]dX̃*e7N\`m'gI `6J?6*EQ5Uh[3=@eŐ\4`X+tiLPpvK>!g5Zǎ.ۊ~rFm.CzC[CuvĎ6`Uӛr'|D;xy5J(1+&TO #)vs9Vi&T#L&I5ib0ALgxyo@w-9V:R1	0~.tɓ/=5?Wn6GT^)%O^KuiW_VG5>H_G4}|)<xk|"{ysٝSIఠJyQBcU\
rd"6mX&0d➎gʥVmA
av0)-!0 CZo!w`=	ʀi]sxDK$Gy
1QF=br,DFE*}%H>:: ЇV^<Rz\ )8I X;O4(Z=V60BRW	o6ȸ&Ġ&F!n á&K1C!!drM>B?QK:!ӒhL\KRyw.<1^3Jx(7`uGy826	K2 Ng+ E2_˴8o,_)Q38#$M:ƾck,ݾAgJGȁCLJ zݵP)
;)nr&jb՗el'<%P.zAɲlG07j{(mi%ER5BB͵ܷ%
M HAT&)*nJ36{w'#pBLOcܒ;noWt2~|H\{r{
< ַӚv\CeOQlVZ3us|)pt/9BWcz|&[>,)rܨM(R0ۀ޵S%Sneq!JEOQ"P=YꂿbrB[Tܛ]9a0Yj8R0yU_9WLXoa?K	>SnΑ!L$$ƽgVd1 @+T>~#`˦Q8?}rk*ɃW!r֡eA%Ϥ"+^X`)ռ
hѽ찼&Ie#S}||Ɵ/j?YDLykeqC°(+MkEalW.2[[C4Wxh+[TP#	?kPJ]l L<;~u9aN!=`t|F}*wg3)gkb ]3o@+z~v换h	4w+6~
j\0mC(`j% DfSTF?'2mLp:DYϘEBz2Qʢ*lhJҾ:+c>o1EN?ai_ٗQ)̍UxGQM=ۚ=tMkY\4crҷǴH& 8CбD
Y5[KZibn(==lsUO]ch׾y*LGh1ˠ2_xyNZK4X]Fb(o$-Y֛ 	l	5/alЖavuoހeיL__YgٚҨ)~_xstu(u(.VV5N֫$Z&Z{OICɚ%^"%]DL(1
R-gS8q
$JVDe}pyq]nFUSZ1Va㧬'$f;'׭V{SnAؠ:
K
\JŧLRT4*$\µ&[Q0ې̆
=ʫH+{xg V.Rɘ5]R3NC܅Xh%׉`!f7$Qt0twW,@Z%Ţ+dآڒFix?|朽vUfE_A]gp9kxJ|?rίpή	7)ֿkaCs򯜩~byR[zN17Bo#}fe
t)W'Y
#Px
Tkc5Ѥ#}{c60BE^F+E֏mxA(f2Q9\UKx*LE-2SXi67@ `qJO}6;!P,6-K2҇^,un0yPEWY\mrLyOt)'5'r3]}JZi!'h>de>FiHJ33E*`p6Vf&X@W'#8yO(؇P,k@_dq^=N+++4vsxO59p-p
g434kGB{I8uED6ȞegNp@YܫIM(sc/
A#62A$NNy\l_Zyq)=	ZfOVs#v@KP)3kz޻;TPcm	(CKWvof0C\ 1	e~ǳ(r<]t^ηxHRq+l"
{dZ`,jɜ-jy:fOF}ׁj$6jp.f:R\|Јsh<ޣ]ٝ'oPw=/Bd[uUk3PNys^n8pSEޢUD|nH|SܶQeTl<)HA)s)isl#7<CS<;H~/*DYԺg\g_&P,1m|T
"?GK'Q3r$10_[LVE*o"F_Q*hÀ%BeFsC&(g.8^YwY.X#TڠyKF-Zx+u^p/<1+>FSP#?q-6PHGrNd:h[>C
JDK-qUD}'J٫udIq7E:;%׶tXf':*>H/N"-HT <nxYc
ۀ 
|NpEnFnƀi|bUe3="^۷Nn˒UpCPN1a<,
k}:v.Ym`JsCɑ3kCdbml|~<ㆆtgpǓI($szS|L15Ü>m	QZ";'oVh@Rv,̛FNv>-ES{v;Y~aV՞Ի'@IĽ0?)^;OV=#qJiP}	ɶF1.Hh܎t靍P1~{w
)pǦ}Zj Zp@D(9n,k/t1U5Q}'{2ZT%Bũ&Sze㾀d/mcڊ!d
3P͊ł>UkoK=w\ņre._Z"7Eku<٬GFJBg
Y9ќ*FB7Bl$OQpOG:#-X[і;YXiV]m?1bw9:<ȂXX	Ԇfa3_*v|vDZEսnS@D߭r*jIasW8mmUxؘΘӽTӫ9ms`&XlWOgF^km%
|l|V$;6l2-ͅ=u<zP(͚a33D=jfuyl4pKoKM74d{$T.MA9_*WLV+]xQEyFƅ]a
xW&4_cmpˆn|h%(ST8)L7$*OI&

h'0V
cL*ޣBF_Ov\gѕ͈˫?pw>J_gH)OoNϒbk7RJJ%i^	\p2TU`+<:/85kJo0)`ŝh俾(%lC4WyJӕEO@kJ>|}CT3<#+Rđo؏;ܒvV%(RvVXW(@擸r$*\f@pUN1v3N)z#6/f.B[20 ^sX&s"I$>}-'tw5YNeǶ>3C
?*#Ƃmem&dq&3
hd%`=I+V0!րTW5m`VPқy"-V	c(6&>s[-V{uFF]yߘ<3΄"k*Z+WG̯7,"l tZ\e
sUr`cJ(sZhS5ǩqj煐_*8q +*p~݌MFSZ6W$=b!CDׅKt&"DX}@w˶!&3OÌzVW7ti}q;ZcgLuq{?IfW(T,iSDi毬N8H{c/k4ZtWQE
ygJ)܉Hd`=pVL_x터Zr'LdXߠ6zckT('ƗМ?<s$61>^[Iޠg[(GD1|E䇏 JeurQSaBP4z:
A$v>6ԹG60q"CeWHp)UJ,?T%g*RY8c
.:4v%rkƆQdT<]or/l-c3*k(M8o^XڏNHӱc^)H~U~
l
b]zX1ņdrdGR{:FQLd91VDm,8%u
%(1g3s-:e&%P'y$8)mO6%4-AwHnWU };A|1Wc
%,ǡVjFjui ߣO` ;:0v[q=\_PiYYwBEHE=Aڋrkq]YV*A1[ljOH!2ø$Th<+eYiC0e}ZiF=v"+z8	WR3ڟ9SgSб-wEr|_xQ3!;fVSS׌CI1H/V'0HЗo~NU&LTZ*S.^^S?突e4P;ׯj>Je*=jGpRG=/<$]HGwg(C-3rzi,
QnKfˑV{qzYK5[gnnI ۭJ-t8
(
s?l,b{T%+K+N.Eݎ)/
c̼&\Rsab]Uwu,9V.!uGd,f<=lo.*ޛ"ğ*Ba)zXn1¸V.;y|,jʹLUVkd6H|=&?ӋEEieo[[BX]u[v텗%m])җF6Փ$
Z k,t\sYKSP%6_rSQ"}-9h;yf0rHi/)DWJ
x2} J>0H0x(t,<0
aiwjج	on5PzV~{%K %w),W`aZdR/ߌ~C"I|y9p_A_x%:W |gl_6o,h+6j42ȄP\7Xk;.mGmⴢ%ui l!  LŹr喋LEVjK:Wr]'9Y	3b
o@<e$x2X{itPN		nQb0E3ƧgF,Dq:cl ܴT rbLzKDb<g/lAmtޞAkP\0R4rm3%V\A
m=z-QT+%X^TFM L*H
}ۻLQ"_CG_[Uns_p]7/_^xrw/dti!l\{M}Xs$#tf= g,ӢWiXS=O+`Z+3MfWwm󖚍AC5-Km	 #
"ʺ{:Y9h(<>fSq(U:S5yq(.t^Mndb$sj)҃N/.v'^w%e7ՌA7զ̂3Gޘ
Z/{
G,a6kђc}٧{;{{ok؁*br.ӭ].ogX3nJj !k0 xL?}?<j1=1fmĴ)GLt~&ѐ1qșyRA|EufkDm,_Y4f78܀LMUh͡pTr eUtX5pwK Y:{$ڙhSuj0W %1W"1(<_*ڊ0ú	켩*Ecx).ydhn=5rb]}VT}	4Zr.ՑW%a|-Pʱ|3yL)rc_ՉQed m͸[\o+>
ԕ 6ƔAeDvP܂&j`Hpp-`"zKheuZPe{> 
<A]hzYubc熂voD6`0sh曕n,(PfiiݴP}W>~wn{rͻ텻Ix12w{8w"nD4>#4&RzeK6U``8z\GHAiڴM22=~,n(.B]CPu9/s2a,JpzXED"YP9c0}NtE9| 8Ҋs9{5tmi)ģvӫX|3OrK[&<6譡&䪖vcF.2m7nY=|sX@EWhaF΂ͶYr2H>,qבvE jjhHoC
~AR'x(#H1C<8	\PfY2$E!ܙ+(\K+4Ro?Π0\"<K'2/<L|g:TtMW^Q+hy~gnMU~fYw(-Q
u-MM×?>yphZ+ܪމI,=u4 dz`\Ѐ
aЊ)%ehˮB2O@UOgmmn'
:I+`0T̓h:RGR	/
t]mñK@rE7X1|9.p`SRP<nը9|do:Nkad*ҨS ]akԞ͜5=H[~L204ms-Xb
Ǔ0{ŮP,ſ#Ђi{j-ݠ$Ù<*O#aTBgAxTQz+v8щ*ǬTA,=dFO2o 1mp":+6\g4_'L>>TZ,(OqB\8ER[NgIo0!DK)Ihjw~|hht*}ߠLŵc_3v5s<g8ՎǌZw3'IRC!SPc}-5.`ot6׷,[%rӅ3q43d:5IǰCj-<V	̛E1Y2oX D^2|v|o/Ώ_?=Ku&Kƾ#W3k=!\jXy G	kQq12}C|	\VИE^ f]Z"͚dyՅ;u;ݹ|o~zUK<Њ~a!$ð9~t"Wa/[2ASj6GL^ԡPvSSU暁}υ^m'˫Fdy/_K5t'&)5°5|p$@t_BVb5%QwPi֬OT0P]j ;~|dfLjN1-1{7p^/ޟbe]a]8p&tF9+!w(XQuTƟ6YLb>`rՇ&҉$^:H$I{:>}(Z>݋.^}=0NrZ \踕0m<eUtcnK37XABHJ#><D!⫈v][%H4aҡnв 8ܛbkÛqs٠D{r(cu&JQw1SQtR Ɏ>fh3Vhcia֝Ys1d䐠b=Hkړd$h*pLj  (`%kRǳ+l:#@Q..*ޱWyRpephBٵ˄:GOڵFX hSч
`94;I	eP<U!1FQŻa+vP6}cXRe!nfRe/k꺲[ A#M6IYYU[::Zn;
0Pʆ`Kg/ea[-a>07Q*=sޤc6qe? 	G_пkމZߕ#-J]x݂j2/.V*ENeP}|hd
EJ|>h5@MM\9T7BǅBD.-:Kht^\=B`A7jMێ&l[&b%ȷ~Y*TF٠-?/
|9!upZ+B8TS0m$WҊyr
*P+ tSԋv\Tf&ZP;+Y_gEӎ^cx53hS¸:[ychTn*VH5wIG];|!g7)-t`RP[1,oS3VZ-*\j^9Ƙ;t6--~aD\8E5'!M|^)
H@<42쾰*s&;|2q~&|]7ɹ_󕴉GtB'Zwݓv2(w̸[ZfhJan7GCgr2TJ(u5mLIjX7E<\;ik ?~A@ܸ`"S8	
5 
rickPE
TfR=Q\$,Ӷ6^;iDXQ^V2Ք([$5 ч0ysxeѤvDN▽]YG1ZPv	MR,vYaCJVU2PuWƐ|:^TU-|Ї?s
K;<Ɯr=M_~M$mX)װ@%rwlǀe
xH"TXRl$INYhʡn՝팚A"=7.azY4Qrf0u$r7Smv
:a>;V,gSG}3(yL8>Y[(Y#quN`
Euߤv	d f8{a m#^U&-aV);ejlgn (6$p;4bmR֙f~
^MTl!>x\=lYͩhJD=#kl08U!EHn;`$	f@Vʘ7KiK2NPPDñH+`KrMRJwK$٢MEx9SVn1S$J/aY_W_yiY`є_U<O}J²6a`hd' L״>b)=ȫ;F*c[Cqcl
Ua\0ZF q(_@=Y..Xjݐ$Ę4)9u4FNH@I	V7_D`=)4'bD0ӹAAE5.S&eü
FUx؋RЊuN 4\+^,ٴXic" Li1D`.AY1OLC)aD7a8Uapi'iJ6ND(D-IAC;
tG1\SwİU5>9WIIhrtE#D#N5zӍ&b~󊑾ս?i-eL?;|O'@<J	DUo1S	/!JY:Z0@<G`h<D7kW*c
UbmfGZ cɈi#{J+&2ndU
ǂmax1<?}o[X4 ߤޢ}2{^@dJivazQp^E*}hã9믛u|W|i^ď/]ymbc~F
KfmvNMIi7S;řvxMyj-Mo,N`۵z߾%/6
8' L91`9Ҭ1ǩnQ@blR]6꽎nw`psndYsӍ$?aL[7 < lwMeՉLhfZN'N?T}\K[:˽A]RçH32euJXU18dZ`4nwV2\Է=\S'Վn*vc,Mb2i8&}/z"	)CrJ3t5)FG9OVxpnGGywC/XH/%eGfo#ɓ#!MΞ~⹳Vֆ?4-WBz<MSꟑE8xQDk#sk(z=X=:~Fg"a,4(dŲˁg/wzG|Rjp=hdᢇ@:eV"ǢH`.*y-w3}ٺ_Ɋ~k[\W-1~
)j)
X5)Ɯ\D
Yv\~7Nʆxma ԥ\]+)iz=!"Snh;K>.ź<.>.[yty8MPvsUn+ƥlIoUk	B-j<ˏ}cOm(ňt1xb)47޻񸮁o;ts-iˀѫ-?-O.iwzjm<
v۵gWK~4Opi	j5[6܆/6vfG>i?bOS㱯0S嬮+r%@lzݐ!@ZG[ƦR4 /QA[~LtUyF*҅U7̖
pپ
dB4@OpZ4I0cip	8r &?_ƾ}7+,Lp:'2r䵘0DiooY\g*o' wd$N/b(ݗ`c5EKڥxw=Z8~bX`JV!3)2	N6Fnnc4*Jn |1WrE+WUK]&3T#Je`-7-^	m{KݸЎū;#	ݯD&q^{O~;.pk4*$ 1WQ#*ͧr_(V `1Z
T  OBEDQl]c,Y|3[}63YUD,S1 (%]}ӪxgQBģYH`o~ dxH;<F'訬ޙ"0^J=7#%1l2Ǜv|`r,\ٱ Mr6Ow8ႝ4XH**pË-.o;[ټhyOq|c-ߨ+E&t~aU3uʶ^8=Fz3d(XWMc#˒uoP_@zPs_&^FAae?V4u=8aVxLQE1d3\kxw\Ӭ7G~GaV[qQ'"joeeSK6-ZK )*p!sXB,d^$VC{ZXzn9o6z#'j!Blbg]+d|$p^ځ?L-^IHx"%7H082<FQm>;xR6h E,!nV;-Љ%`$GWH«ާ
lK@̛].141%͘c17Jop1jcc&h8q#]p)>Ȫ*/|Nc\SSf*)B|0xa2mQf8E`&@d8G@&nґ;-"<NZ5?2
$f!ڿk
P_PNvp/Tؾz[+f<T2ueM=>SkM)5!
kzNCeN.ev{B4qu&64QW99$DW<Ur5d"P*eɯBc5!srTQfY)b$* W֥.E콶_]fFΆm}tY%?JEx]]6%CG=,|IKqA1Wn21^0z-56<WP1pNf*b8WedP,(eïܥ]fMp''
g4},qf&/P%K9MX;YU^Bk4~3pV,/ZQ>ixk7qp:qx|
FP"Ga{}R{bGOYyHAIUz502]H}dF($(\pxY$SZ,d 4NOb5ד0]XnC?
:+Pv43c!XE nPhTqWXDx&b^^UyU 
[łvu;n^S1
ߪ՜"$VS)	؃A6x+HL]Q3YsF].ߺ~D)
 
 ^A+1Nql5:>	J1nrb,S;	¹8R]oB#$8`qR\T+P8wG	VӋ޻WTIvOsmOCLHیjCbe]"$fHU	q_Si,k~PS'ʎLgMGH P_dSIՐ:P%nxHʕаc	bmr2[۳YLK~?6)Л1{X}kZƜ;27ȚR8~E¢u`YoϵP1r˝@}YwT);-Q->˨N!߁"n.q⼄)g|$ڱ m>Ǌd
 #X럦QZ'wm=>Q86%ZVE7~493
w-.?s)WQi7|yYxCY0Wtf`
1:2<)o{jZQF&.#,myZ-Bpb1IDEec9TVWQGU٪ cI4@eR6q!rExIS _ǉ3f;Xp1&4@d5!) 7_ɉ6FCx1gguM	l9;_ײޠ8]xI3H奒gs
QYјݤL\ܼj'lY;lRƭsߋYH'Dx_<QmU,r"^jcvHס3"Gmlf\:.wӛP,yDqS.nM՚H̍$ԲTt8&Q돡2@khΘV;BTd!P_!dsw#ZĽ*yH;xwEu;
М_:?ڗo#nVҭF-6ևQ5MRV{/5ľw/Q\.h21PYXrM(Ц>S~>\:R|ur6Lɢ:
fQ2[`cu0 o+}VXN.!xRWPHë5J)N/+LoGp}JRKǻ(skF$nP̈
#Zx3R+8OR4PP
wU`ΩdQ{Rnj{$AP*_>hءOfXfrTk'H/Dsz	_E6I~o%1EdX\j`U"۔rHVadwiĿEvKg~[@z
:Վ(؋3?~:_gߧ{qh1d=[E\\_48o/NG2d%I%GXy	5t̼?>_.ҺJXLMU+XT m5g,ߓ
[ܱmp> "NݲX,Ln+"EooAcJ`<@_0eDDwF-Tu~)֬^h>p38뙪3I,r]ZT7їeP'Fb.u9F.s7E
/L;_iPD.6'5}|Y1*t.qU"@ Җ1]rn)3}տmuEWVNY ]kqgEi:Ox=ڸf8܏)dxy5	\} 4xІeU4zYh5gt~V<=p \A_,Kq\X
AU:$l
?N[f~2wFo<3Hx+4C;3=P
Y(]rH^>JkkEIwĲ,QHM$ګF<2KX`vA"~ǣvK1mԝ6{by\xpJ>TNv{lIE
4xXffQagK++jiG%k.+Bcp7nï[]1aAl?EqpES8lbzF
tXK(bPPceHQͭ7V{%$'λemr644YNbw(c4d׻w4M!@2W?3<^_x3@!uᬳ*<,|G}{?ȬNnV{S-Ui~LWѸR=h#ύӥL] NbLBUpv$	ERhnJۡ5MLxU.EŊlO/Ox.H &C/SMv[ȶNn&w==opB5Γ9WS@gM-h.BR{nTh)Q,0%v)hxFA+o5ymĹ>U4;9ɉ?_{+,i1H=jHg95C7Q?^Ұ2J͓.7/.z3]>cz0~N?;'%mj8VjK9t"xPтxZY7}ʌ;HSq~e2J+feƏ|*Vv@,ΚVJ/4dQUQ
A95wdtX~͇Xj鰗>BA;ZݶgH#ո,'09s6USusԏ*^gEi^U*b
EA`0%=?
*O; ZF#ϜSż	XMeD2g;TKw e! SUpŨ:#D޾dX'EË0o^_xq9`gyA6*SP?hs,^wi1̣.9[z.w[4(^V"|hѬ֡v襹
ETu@@SVr{Od,jg*jP)L[LhWED06c3MMAی\Û1u`ޖAޤQJ4w-V[0pӔd)}\织{Js*|X	.<it ZW(_'$$9qKHFٔzUSQZ.Ch4ʼX4yurB~'% {gfLb_[*}H#w12f*thba:dyÔkcBW1$kc-.OvȆIz$%m#m}LЅ]|x[dp$ [Fczy).Ԉ4Jf3c8#d5sґy؊'UlR)uh/O2Z"
`M]ήR/i֡a5ck:jV}:eKD1%ke{plЩCQ&;1OF_ "19.XJ7%ˠ8~I:*Cbdbq(%Ɵ>L sR'o n$5VKtkE?qPզ? )#),ҢD3;h*A+ʙ
){Ys^#f	>$j4"tCQ9it'wĩLEeIG=Ǯٗ0\Jeb:,(+j }."T$+UuCG7(}RMO?=ŤfT/sи-[l롹SDe":)&HSW7м-MH+P[+
-:	yozq'	;]Y
pX_%tu8`ʰ
J(l!F-U/@񶝾`5Ĳ	߳yBPЊ%VB&@mx=3}O
߼^pr{=62ǅfGPv^epޟHp#P?֪qJk ž%dYyjB)A$,.}ˍg.4!mnq_oxD|.bXmv\ݚ~܂I#}Ϫc1BI+/s;,nm/]^5PcpFpO8TTDJdąHBJOrxVuv}˩s,P	&amdzGo3iE:/ec"jCvy6#/aJX[hlN]r\l&\q5bfDi_*bן[V0)GCqTĆ]M3[@"\V'q0_bw1v:zF91	euVhnٹz^d	G>4au=lyGJFBӄ;'pԓu0:iHI	P%Sz#ޡU=H5Pjzm`LSe/;˺lhID<VgRkYij;ڻzIH. HDڄ[Jw͢r"^tf
4|-wRqJ?K,?D*`Oހ5"ms>g^
hT%`.K;RiE%ɜTTY5![~5%@Y`3I z&=Jh||cn gbrK6EY` ֜KT׎33Zu4T3#j#|I?v4Χ$X"E|4=a)iH/_,P5+b~ٕH~z{볧2K/|=n9?*G1=/e͋5v[<]>daY7Fq{]b#M@uZw+Z.ϖgT 
TRWX|?aA'̋2/,魭TFĐ$6${$[=UwLmyFܽO.$`:Eራ\q*7csϠאg%/dH(V9eCQ^1E{-!闘g#SU*L4ud-}\ѭ["uwQK$,%Tp	g9?;
[B}9Uo^GދQ8OKZu4dKaŢn}{sZ|ZF.l슶S7[Uk[Uh%;"
16L|H]ry/4LEGaMJӜCPsֻg
d֫_a6He (I$h6&˸5#i0 oJJ Oh;v!LZ5[m4kٲ`n	rI/Լc#ݲ&fUr2U/c{YwPI<=={"ss.g;7lP
+BSjܹ"ƕ)p$NK5lli-bn'rM]d1epVi:c/ y(aa,vil[1;z?KPbu݀kQOr$Spj5
?@XWb2=1GgQmf'kz2D}ؓhE&PHjGx]k#
Br<iڰf-50V>/G}f{V	֔=}Rc^BQ!]\y.r1z8I :٣i
K_OO]\<7Z;O??^(#8jЀS`/uEpY_wj
J8}NWTߋnp2aiNej05ÒpbT2az4GxBi/^
 r?_1W]Hz!}}<([KUT=hF-\r_]:xC脢OfAy=a]s1%̋[itC
ooG[~PߗVs4qz1ֹ(`>MF
p%4GP%t
Cؑdf.6^SA82j2|!j2"Ɂ CqmM wûbj-oٻ^=~w|́M;ڶ	&J
/R1	&AhҍAnޯ;([~@>j獗L!`R1){EQL
zmcux\96\3mԀCTԝ5sdT|B\'e;Ʃ*JTK<wUSCGc)渇+]!2R~:³;Sq3PbYlD{L+,9iPL`t'9@KPB4JTcw8|QHuO9Xfr;Ĵ(H#3٢ńIYP`E/
}桊%PXMA~P$B,]Wxp" 2.=@J50EjG*U=P3+e$
Q9_@0
ёUKwl=iLUsIb:ࡽw˝@(`<E0&&UT W[:kXAZXq>u7(]>i*ҰP ctv@Ճ|cNT6-^h)4d뭀$vY!$SA8WAd0KfAO!#Iڴkx,
6*`説ce~/hV'Vk~N%m:#8L(YWc>1ܡjfcKʍy}d
'TdFyy޲eA>||ncQ`=vY)uћ;PQ(iCaGN 2@|׃xoʾE]ɆAAP%͕`ޑo.2yӷZu6h><r^P";l2F`Jb$4Fހ?}kP3Y
4ʘҳkOj3G+Tii6-36IUnyZdʮqm8,)+Yd9~Hp^LFYo3ޒrGicߎ"xviض'L.oޟC.CWR{ edXEwȇb},C[K91Ľ.[7ڦrRՆk:T	0TzKM|
*Fb7b##{Y-\-F:lvYQ 5[dCZ=@$iџ|H
brJBVɤ])kP1&V	
]aNAсh<jŮSoz5=w+,ͷk00FK#w~|jȀVMX#7P2	qi޼Nˬ1mO48I$|ȺhyE̵l*|oSnYoTZ14D=XUx|<x[=fl몧O/÷BÙ5mG%uIuo(XHNG%.u0OkŻZ?	p}OS||2&uu,r1B3n8N3&AՓ_>yxjS]#tyHIO<G^bm>LZ	p ۦfLx=J!8&s/&Pe]d֬&3(iBVj2ISqm1v{^gwË{m. DP3sB秐g9gԏti>[&zgm.ֻ\q#,AGppDl2cX<=IV#|/:C \nx@S'Z-rpj`+،2V\`Lh-pi0T?f9a?@^:h:cIkC1o? 3F1%m=6Z}^g0A3brd&sx2f9cdC
ӶUIWk`4P̜PD.W]C4'S?].F6Z8Z͍s-XB\EfɷJ-X'PMv 4ȕC  VPjU	qOaɷwɂ2?DQU*k-GR_|=ה^0[VY#:HV1/|U(tb<8J5h|^c?v"J @4{heJ[e[q7jمl5)GY?1=57p-B+БN7M9G0+V$̼'	^iVwUBCh:JG=պ0D4J^?<7Qt( h|n'RؔMEKy2:cUb ~L[dr
1-{37$޳$``AbdUI
#`!"@0cN~R>ԿC =DrxG*0ød͆6@!ygej&YfSP5Y	+NpgtCER'$V9cy+ȓD+Cu}C	K=XzkmRXRZm="vE:EG.Ľ-SfXc8G+#Gf6l]$k <5-eX' 6b 
SMd5V4O1=1HVvbC{x͜7׫dD}O;s~Ct$*iLUYOG/JZCWl5fJx%={E$쪢NyC
:vF.ΓiTE[0}6§v
/Rͷi?@_LD@/ E-e@lXEaqt_
R(zsT$sPbdl3Az)xfDgas0ky9ݞaIݢЕ`͙܃-lE&+V$C}pi;lW>&q
 𹨇		bᜯa )"62pQN[$((f^esESdkU<7Zp>2uҘ6_q Ӯx|K)#=%XMJciiٻq\2<ےw?ц'o^<}5pͨ5i*b-ud9z{c%'4
W'"<.c*l$d`Ec%1{z^X	dwli2Bz=/q4О$Lxv8Qvϫ>wkςCօ\v#B 
T0i 9U	G&g\IYj>h[
&(?')l.?t<*E:P`[
UˬORs57g5bf8-Hg`VU<d[kުٜw;6KNN7 AҊ:<B`Eq?UcJg4VM!^2T{|i$}b;j,cEgtD
fU(lShdFgʩiQ8Y^:`Q'#^lf=)x:Ψsxph]=sՅ!g>Q!]f%Dx@X!KWwtbm]+,VCⱦ{,ffE` (q^&d6#J<uyZ*
w RT*BEbQ@߉Cm2	H*Ea$6F#8_]_	jEx|Uͧ(iXlhu!03%i%cDp;GW=|*\~[kYqueS*iIYWry\J*,ḽpJrmh흛RH	xǙeM]8ex#3gk\
/1B/坔"%Y AU`isKk@1+JoЩSޥˡ[W#UQo>6H`4f"G?:qwiIy'oglakf8Xd27.Qp|DP>9O~jއXmcʪKO$Q{B,wOY+cOLq(C&vQ8YhS4aEZ+wwF[ExٿzèKg	$6]7UPAeawʩX|bZNFtk1{EūD_i`|hpgd(YIwQrEk>ż:s[ |jE7S['
Ռ-LcHQ6M$9;"Mˋl&Ak=Lv(jqZބ%\Q`.ha=[ܙ淺0V"/x`x Dt#'Y}PL}"\@TaCZmӬÔHC	Y*bKs
jt1kBAW )hO-Jt˾x'xҙ+߆bi}'%WbKoddT`x&0D{DF1-7㡡Ĉ]A0ZEFxқd.4B=5IɦOdQ>B
6L heL1j+iDxT4.ceōzh@T@O?1lMW7}@	aSwuf p@zC\J !x%zGi\ Pui*mJV453pyPCt/+bfYlzҒ^K()DNuO7:
(XE9åJ:BKriJ:JMkÆZLD}WsdCneu@WȐiJD̗3
L+Y5?A<F9efEy+
v}I:IMn>Tg7PQj	^@x4!GT;#^<N0xk\Mi.9k  >O΢+L%e{e`m%.LFE|X~kViw|7EcV`T8NF[nt[mdaEH-[$$XlMG~
Ys0,;(e-gMڢn"4ERhx(&~}П~,3W!Ox{~4𭋰?H͋Ǻ*ZI1j\Lu_ǳ!N;5{u}lO
Ҟ4da<a%=yUQg-rV~7%xT\	ʞ6̈vw`M(ܙ-$a}~&1ci@KUU.vȾUv۶9hmgҢ!nRESҐb[h 
2јφaL+쾓aPkЀ\dE:^xM6rkĂJƙmI~?3tOkcSjKbJPpYMHUIq0~?/V ݰvPвʧJ*½qİ@`Y\I	s\-%e_cp4\!/\19ڱgdh%-Pm[&td
ՏL{qDFb2WZkx.n1JpA]]
7&MfC!YXàvU3%r=ևUV5dhtBX|%iYJ^b<$a f&T#|Uq&u^5ZUԫewp?l8 7oLY|T
^_A~ӈ:q'b2p1xq${V3.<v_+aKvdwϲ &ڗVpypS-q|xʍbnjnr{y
vbm@B(['L>>ns2e@q6"Iε𦌰ov=9!8*zl ~Q\<^#"&&\[2;Ջ8N2f\Y6PdXQ0`*ήB{kc@sf|vXM,mfۨU |ř_  eRAp>ܛNd6`½x{a9Μ:i8e8]-kej$}F)РMrtH>m8j/C&ThͤmBe55ٹ{4T2c],5:rVib
X.Hlzۧu53T.٩zϞ-SPmM)3: 
C)
ޟ
eu"@ǵrդfKZaϋ@>(-Mupre-7,AU%2b1')fJf:+K>^pFZɾZ`ֹObQ,̂}؞}t@Z*sX*\|: YXݟ׼uoz<~|EW2BaQ7x2\Jg[7H.Xꅎ"P|g^|y&ܣ$Ɔ/'hW
Յ!ØߥɞCt~?E8AyMI|LYNԁ#r:znL*ը^L _o̒$auF<deNMHV&*r嬙`ap.\+ Ozl
}_.O;IjK`^G+2]0.*N郡k0 U>}Ah5ŀdё :
4hU)n|,§~B]>˺n@KL6 3_Zv`a!PD!oOCN
£ŜO $~5Y]6]a?{O:?	M
߫ }6k`T	#}kݭΊШH Xl.9 lHcNDook%c<L@*+iu/,m%`C>X(.A,w]_*SjE
` PnZV
FP.y;z(>qb=x8\8[GPûh||d"+kD 5hٛ><KV͐M LMǾ]DuC5]]=۵`)7rZ`WtU+
RN()?`:Fv{U9PAKU9챏]GVM/tdpCy,^xj
gPQG5)ިsbpYk:3]!6^>z&-\bl B]
^w}z.)ilЋfѧ\{VtzVoeّWӥ \3fX<Z:s-Rb.Sp<)R]ig5;QFӨr!mc@Z	
0C6ҖiP(Y;;,/i''模~E I)E'R*هFl"οm2d$١VȾ<EˬȀ9<,D379бB؊+wVx<RIWz{|[q4CEĬMGWX/ʃߢ5vUil:B}BSǌ{vÙ͖p̷)ZNT"oT$Y](1 8IS
sk	Η-h>l#cS&L0K5CQv{WYE2贖Vpa1zbңgӕᕪodS>	s!>)*g:}`\:YK0ʔPl֖
M=dT{Jo~yN&_
b^	;;#JG `҈<;»xVz3iLȇ^~ڂK`=l
PiudW}C Lm
>mohҜ8CfOe}*1h$~Qj̜#̅$WON[<d}`ѩp˭:XG("5K큷?ӂtlZZê9: H#r;8嗻]3觤@Uh
SfB@XzcQ0Lۥ.7f+⢜*SFȳ3JuE[_B>0UT"*BG!'T%V(LJ~Tz{et1Ӥ.
[5o`
RHBӑ5WFtU8@" |^́6I(q;?L&cHRƹ%#/{0M)*,V*ۊ *[_fV`3qQqVL~˓!ΠHk"Zd0wRquM+;K`MAS؈ZM(J}o1ppM;nπРfJdiH|<dLt78ei#@,$}X}-ijGȓAHEJp-SRIǙ竔rϦ ̄^N&)Eq2Q^wZ:zMZ~4s
p,`ǉc=gK.1ّ6w4hpVt3Y@^AE
8KH~RaN(m>h)}b+1Q&zCIn$&K`oɢXc*[F8>`+dIhg4A[ "VA a)? .R,`UW(?	n&vF@]-cv(*kx
Ru\A8
<&_)y+8imaϞ.Evʞt΢xWl4[};qrEwvIUs:{}ZEs\yކ7	ʵ{pL;^(sq[ W`5t"|#UP
HQWt8tGQJ?8B~%P+Yef'a=/vUv(^xrEOM)rɩMya1fו>{LX_,`%*\mE3<21=Bj~=xK]lmBϙ@9&t;'3ZGnD5XCk
B'7	wHWfЯ`=`X-i 
l018FM,m[ =%
e< @P$ޓoD h}YG`y@u9'ѯ$"2retr)oE~-ghߨ_WkFQPY5"bJz3UG^@IfߌK9]JE,lWK4@쥟%cPw;F1W؏;iJovQSǢl&gѕ.eFw]B#Ea@zT}ܬad6$%8>ep^k <Zo=id=n;ԕd6_SeV_Dhff+$7Hbv
,fʊ03c
gA@I"	|*hMQփWaӋE%t㞺WсxvA7'EbԨEgk
no% OL +O(@$HC0pL
e(iXk=0YJj<bD_A*'
̖oc+wOqrèP'.p=FGpJT{[[أ-_䙁th!34OKgҩN!>4)3[dKqTH(s^o!4T\M7T!.ÉV,\\f"0
8Կc5)4Y
~	-4oVtxOqX09UCcZ_AMa⺟!N:O?t*3һY*BP%U.UDB9(}KF3hvrm;n>٥F$ōD7)1O7n3;~'Eoiht_Jc؍.@3V(CdaASc%_LuLfa%?c/_>>;;C|rB/Z2SτmǱ%k)}Q==IKS?GtϢzBx -7 ?^LNmtX, 
R͆[ 
ho0Q;_.j'&݃yӪ=e2ž. }hCqr_{ma~
Ke)_/I_Apÿwa۽lj}EX VH8?}9?fv9O?ɐSrZcRŰޣ#+;O*#"ezn%n"$ˊD3j#g&D
^0	%j5O爁
&f>nE@7Xw%
J'1h8;HCi[V^x>Wjen6-,{ƚ+U~ uoјϭ^<&Euk;qX!c64g(si#\K7)+<CE	,f8v&AɄEff]Uԕ̼p4Fn.qXyDJE6p:(+J1Jq-1v{7CxcT0;wޠm
 MChoHaUt1\@r񐓉.,PWX.
(aA3de%Q"ڿШ_ a*?ƗȨ_E4IgYqvo'Rut웮OW"{SWק`gL(az+Zˑa*l )Z*B(
i]UX'qpJ#byΩR\\:-ܓnd! .Cq:!NqI8YҝGì(gIF0"
V*~.x,5	ⷱo
ހ/WFP4VGwUJ+`5SxM%_=9W˘ZF6_]0RLn峱_)]lUXɖIw%c=ZEi
&l}N?Ɓ]۵z3ghXȾVqZ1;262	ܔ幡eoՕpR=(9y"/0˅Sv,%эA4Mw-!tZF<,qq=~;p;Xfx5(@͵`exz3o5.uzo|t-%t[Z@Vzs:V,.F6v;*xu':e"Ng?/hȬmxu(l &!l-,QȌ4kQVNbfϽz=p-~n3ks0U!7t&n2eNXB܍j-洘Ds8> .VZ0@-}vFm-Ʋ1ܨ7su@;ppʆl"2#`ƿVhPT IUNl1iKgHfEpqE5=ݍ~fpyN Z4]pN$Wu&ݓ
󏰌GBE@Yы|`
yZD%?8C^tKK|)ju\	.rL^s?y?*44 AϚ>ǇضBbY-Aٱw3ϋS׍s H}+c)`GO"ۨwp\sP|IAtb%~*N|
8֬Rq\"v4ImOsQF
Ѳ;*~7*ZyYWwR/D-$
 |rɔ:ObC	Ko7 
MmYmvuDv[(v+jz҃:(+6")b4MJ>iac*[ WkWp_8#PEBf,\GM:]N,:"LwXsHv.BtE_yۯj̗j5O_:uL?Ȧ¾:A0xo
'qg!"œi"}d EP"Km'L\&}qe^+lh1Tv?>zzHi*|~0pA
*)-lOzЅ7bIr%>h
DCNOò <91Mkp4BQcBɧp.Qư=pmD
*Lx}7+8*`6%=zO 1s#x<Z6B"NZџ`LBA_i;Ϡ]nXe|\O?F˙[.ND`PB#(@J71Rԝf+S%p0iL[Α~]n5\!NtR8m\l}W:4&zVz;V3G\&htܮ޲ybv؉^+l$eUJ)1qR8(i웯#fG$/4Sz݅k! gW6ΨNwOsu*Vh-$pIfH4[޳TR@EAj.=ԼF.SjV\Xme{ѫ2.UD(W
HdWi/0?窔?w,@sc̭V[,oX5.&m~|sDsXN70z_#;O+f^#Q \5[t.t,We!sɻQFRr]lt]7?AL/u4ro;ڴЊq*H{̔`
o@ t; _G;-F(GEdK}c_8
΁;ϐj6%f6Ѣ#	TNX̝wFW-͹Jf3;+E
aæG[!ť
6'vܖ>wxtPٚ2:/tJW8?dwI5 APyEQ;V7Pejk[\[3Q*6>I{.-LZ~O&A%xd$ڋ5[NIYG2Q k"C[ z"N&⇷o߼{1݋ógߝP39weˢE{|]jKb]
yY]|֮$4X-8]i"[l4L׻.;G{qwf+tdGדn%ؘdqD-<o3|XeSO$I=jհPpYGmeu!VU8eUČwj.TQwѸ*+!\RuFX"_>9÷^<eQ}sm+Wp*\Rct1Ýӳ%27'mws/s Lkr/tr'
7&}L4d--CZ,-wnG3@{)Pn(\%=
Mb`Ӑ
V"-`J*6t(OBJ6NܻMaǋ3	\6=G2bmT%ll4mꭦU|Pǃfr41+cng[m&ҥ.ѫ8(}HasX;cPw p\bQ2[+R+i6}oԊumHbPU"%mw}f>bV&E'eCb*3RD/ЇGN"?-.KJnq5seRwhc=֒ud`}mn@Prur9o˖2JM[cwދwezK%j<}o]d1{q2
~;a\x4If?=^)A7݀<{N>Îz΂`<{lT`mA>Y9KVI5UJ\vx/rZI)j[*Q}I;
4qj"e27KE|+8]YN$0pH]I+ݣ4p`V+G1C} MiOrjT 6Yll,F
 -׎龗 ?$b(`٭74;~УpLɕ~WD*^	Bl
5!ĐIKxAcd>
[ &?d7B*=RTሱYμNp>Jqu.(Z"btup/hSBs&V7<Z!hr9|%ݱ,o^s	Xm22iu`h."l@@ܖwΜcb[0JxWM8=P}O'x,6zkuy/Ts::L2eI/N+ Ė
Y'hDF+Wߚ?;k-e_Nų,hYlCWپ7e5]o-÷j#CQ,R3`nQk0W@!fUfeؑGD>)yݦ,o2vd<β?REq4 #T;IĎZ("EHVnT+|JюmD:G/1]PЪôRё3dSQ[64ͥB@BJ
p
SnO *XaI.jK.@@UL\igj"MhZeYub</]$2^<eLCH =\>~!"`Fިx\9!fZ*a_WU5M^B3Q5>DTlO(Xo@^aaehR4چJYi6\<
5M>1{/+ydJSgLJ{~ʝE	Fu :]qƜj5;mm
D&,ͦH?X2;j}]u`Hw]
T\fhՀ>(_iDFfJ7,Cu=Ad
ӹBI[wAkQ"3%YjC4oU%d!ۑl[dTОʩ:I{'5v)ui̤ܭ0T>gKl3}ʒmfR/\V&[ř1&/2.hNH$s
No|,oK]_%4Fw,K>1t	,Zب!cT,G \,;,K
52UUXy&g89&'%xO "l\Mj9AW8Ed-Л7	
RJK!eL`р4 jy^㷧<~
gS%WYœ<.md<6yKia	2jB>#^D|ye)jZ+FCVIq!UԿ-3^[޲J8G:Phiz1k-7~C7
ݝ.KՂ-jP}*X
dҏoڎP0detW7>V
怱W	CN~%$i? }|~98b֪rLLt#J_`]G{BT県# p}"de񈳲}n+ΔG`aT7R'W7SX$Ì>ၓXLeF_O1%ZS<U*,ԂEyb%rg33s`D:"HD6Ń;1ƏF6xm0zh
$(S.^{4zF@kF~iGCDzGz(g>N~Å^ecmף
F.+
&)Wca%=8q\@aAG(רp>3pA?ͭQi'rvLU*;œѴL|G^o< 帔{$6M?ϹCizQvE;S  %\oi&cUݳ]͂Nμ4V_9}(Xݞ8lBC)ɝwz.(V`U+l\ T*qɂ"&K\c~x]~+=N##j]ń͢?kq7z"37L0-fVӍ~[Ȧ81Cl3
u,GoËN
cTx Id-SںKȤe3-::35=(]t=
 Q Q?&^qQQ3+`LUnlv{pĪ8ʻtE2+[C!?~構OO<1<ԼSd
EB n~RE6y"P/t)PJ
(#\_~p.묁8 Z//wG :{P|/}zS4}}Gyg]h?OR\ۋoj]V<01'%%SߠZdDɠc21Ǐ
:ti 4BiGl0wwuP2ȚR*z;;y||oPʾE@b}zૣ<α
'fBH !Fb-*DT zR[ņ4sql3y*8}tύ[eCբ3(7u.vc\3ʦ"..v33;pnȞhː=v#4m?R-XK~JvEO\BVRT83c@It]@ =})D9FV-R.O6.uzI:BWTVIaQ1x}Uok$eKMwX'Wڕ/bv*\ *h8:klVVcy0))W(SX*t׸3 WoQtͨƶU:$AK`՝FEݠڅuwC6]JfxKn9M	
&?%8u;QS_НyWE*dmtص(/F_(҃JwI>x6*<YJvF}<cbuԌVF|,sZթp/}QdkK)m!fG&6n4n#{3Z=5'TCb-$B7=yK5%?7߿;}ׯjIZ/ 2ۡVrWʕVTYx*yJ>iS&C[W`eK*\815X@Գh//HG2 S9B.d;g2!-45vq.T(M蛶;v*'Hԁ
k;ORә?kdB?A4h]ġq0K]( 2zmsGp4P+sA!o5EwN&~e,BaFeLbnϝ	{'<!☗e]V˥Gnl6N
-tǙQln*D)0bFDXOf#_➕k|Vj8ILu1Y(_U^%ݓ
g֓XVLGȘLi;qE-.X3FQ_O\[q
E/|*
%ݒSF>PDڷK*hpC_ѭ+ؾ!gKnS+SFTVJľΜ[ZM潎P,ML3;CN<U\v&LNE8{v{#`IѲ.-RS#	e{SH?g̕KC`F1׹Ӗr=K:apCX0DJ]{U!0,#nkHO-?55t:"ʦ@{ǂ@`~v!Ĳ:smjM)_OIb4E+;>> GC(O$Q3)9Îl*,^EѬr.r!(nė%Ҏ|8EG]vFk,q;Xֳ4(|x&!-3Exej}8G߯Dw'VTȏ--!BRMvk-]#2o.7!on?͏ؤiFL1-j5%
dzo={#ͻ68dGK]0c:Giz[v*SQ৵c5_)CTS{^`1īe[zEjJ)ap^
??쉙4LQdfS-;g0ut7uiAކBVQ	Ǟ'EjRUxMg2Z;$ڻOSt>[[_8jĲ<&<̈́0CR42AMaY~c_`
7^Eq\uŃl`2-j,,UٲizF@8q*
m4FPFLo1@ݱ
9ֹw!(羜GRW3U{6M[p+T]MCX#{ `qtֈ%G_rFj%ڥS߅bD>ap6̤k[5(.Q^]⾄R	 .ZvZuK4
zlE#`N#~N-(sE*ñ7*ߦ5D3kZ\y,~	6PZAlT2e[0? rڸ4\`\pKb^[,]l;-uTtdfaL	]U{MntB~ak4eۀ"ھOc`dΰ*g014	=H9^;0Ri`c_3{'&lاP!E'Ҕj Cs*_3^4m	Cנp1T,$Y$L>DRgh~Xe&@;Y萈MaM>~SQ\>{)=k(_o4U2@S]Fh_Ŵ&[Xu
eyO-휚4ʺ|a;3:dXh4	>P,3ԋ»[9(9CPɂ;~EIFBvk6ve5S&e;`yIbs_47}z ~Ӹݯl:R}92YA,UHQ~*Uve/vi
N=e$}E?{(PR=ƑgTZ>O90e.KEr$=ec2"`M?|ޕ;`
:O,[QБxQ󚺌>
XbU
·HVno3t:?>8GkF&H^GO3ϸ~1OQ83nY_XNك{cALuSYltS(KOj77n	`7@ӄUBX2ϾqFTTțw
×5xf?Ѳla;пV?[`yܕXֻMc@7tMoYs$NEkg?i
odvpy]{h/z!7APJE5#>Pn-Ue"B
|}{tۏ5Yci}Nd(	Wmpb9QaY8	h/!'VlhX|-8dh
_]Z,[IQ~ DFd2&r`]NDUW2T"8T_x	l-k,Sn?fϘz4u 4(_4J"S~Y.a٤!F8?߸WUW7\OonU&}QV
ԜA
y,%r 7L>@#3iN}ܒxJ?O<Šڂ8WJ2ql*tQGDP
J>KH;ky0gM	ZY[HZ̒l)6[kY{^7Ԭ7G_TpltO9`I91/Lx]B=3nP{r(GFh&Ul}'2#bqAiĳ7W;fWe_:]Ww7Yꋚk@1wUE{ZI*c!7Wc EM
`:F7Nr^zV"Kp.
| ?R-QL)QYc}ꈪrRiP%aS+x}bq3msh':т0ڭHd,S|#~!F 

G.CP͆وfʻnC7Qڢ5)H"⻂vf6n2^cK\#@ۨoet2P@.yEسIdXpMԔ0v䄶m""<Zg[PXu	=_XUT!ނVX(>Pt5ڮ9|ՁΌ40Cn]@HM*)%@*f&X@-\It5W<#<vWju;+W˻ex:PSC<:7(2ci(Cm5XWwLg88
3)L4qx6]]ACבFA((k¦*	Fs+BWi:e
8BًF
2NgjSZ;f?',bx{²yM-ܟlI0pt3Iscof!wp}Ls1wEK36,Z >N7PӻCy-d%wuTag CLZ=Y%"+t `W fM林$ҧb'=n:ő[*jjbrLUbٙE#qnr;&*]i`'r$ԍ>`ӕTA%Ju	3ʦSʬhElӉA4<R\Y4$aj@?eLM$q}*Sy'Iӧ>j%a\s9-%5c^sِ@,G.]Yl]1Mey7pWE3 ]pq!G BYpUm@x
5r&~YQ]V zoxbԱmR2tq
wx5JIk:1CxKgٸCA"]L06*$_i%t-.B-0-A/,g7$^NrUfHP
M/~|@ẲMF`	=I8X_lgT<atRɓƜ:Z!ќ]%Ke?SeL!&OpwY4&״v;XC^!=j+F*kZp
Gdtbyx*4$FL܊_DbƑt!,J4A䌎'P
j1<SP.XBQsB[v]E^#D7cve3m+Zg|kww'i>nv7 'ryyyqfM``(7*S:9GS'|UD0W4{[JV"")j۷ `fE\!uoiӲ*ܦ2tऐ}Te:׆6yxڵ~
LYMme)L{yx~T[6]b5@Q<BG%gj(iJDQ5Ojˉ4R[YGreX VB2mګRpsuEBHj/&+>Өpˋ۳
Öb%	`5 3{jQ++&$ҍ]ovӷ e:|MFO7h1$n;K]<i_`klmw9R8[Ŕ8|ZHNC+:c̨zmb[mǍC^2qjGU^YqɁڽ#2|+pQ[)v
gեXRqnv49n΢*Lܹzm;"-s5T]-vŗFSL`RGKrY\L|JFkGsW|qͱ:ò;/SYb=Ⱥ*	GGzYńcy8%u ӮCK\F*dn&F nb,Fo9RS-HPo)z|]]IV%0;xa85T0fwI\z
AeC
iF ]Xל^L|6(έݶ;+>ؤWvSkj|%?0UhLuE4kh4DZ#$mE_2s7l"AGhsy^2; `4r<6o>A
Ţv);
?@̢u1i2Ș#E;L>.10>0%45/@Lٌڞua`H?,\CGQ7htDs4sF/_0nkPէYkD*3lv{fvp>fk~ӿ0LQWT##͍i@b4nuޮD/;K_WmcޕvsqFRc?v5lAǡU~dDiu97uZ0ߓ+-P"L?zi֫eL)^=`~ώB)_6^ԫ՜x\4
޳lK\C{j
4ۇޯTIJ<N-4er/Lbz.mMe-br7RZԪ	:hA{A8R&
Z!
.EBhX֒g'+'X<Z+2=J /.zjO	G2;ᅚk@"uX%Ya~φWk./hF^<0hĄP]	RW_> 16ڕ.>")qsm`X1H**ept5}E\i&i&ZO۟!>Rx2T-)A)lb]b]p Th\W55'd&AB?w[))K7Rva6G0rq?4⿌%cnijBO2ST/LÔS8ӼqC	]('FER*6/'zO"{3kKzzy%Îcf;~)z-ϩ; FjWnCӛN*o5Ld%G,)Ӟ
ܮcn6m.ޝ~/5|#gFz/8N,mqY#Q$mX`hу]&2<1`$K@4Ix@Fe,QQU&k6%y"͔R7T15ITF]"]p"J$= @bba^DG/vKyΟB>4	2v/*-F
+*.$O1z_+aZNzi흪1KPlqВd)!(d(4im7WsG/1V^T  ?,'<ˮeɋfJO947G{U63cU6]	FƤZ`dي`+HZ$7RI04K՛E
gX*kT$ZJ<0O4SDu]=!NHRbCը>#GtȅcXˋ6nF89Nayfɀ`?u(x.uz\9AY-Qmܪ߆l5N``=k%H.o4Z6[k_RfxF+QlUA(̀]/|V@ 6/#eQә+(^sƉ4w[dR1#tskJ[Rdl{\fnѶޑ\^?J /@W=$v߶Ѕf,EP7=A K̏<M*UJ!atMԅ$L0W_,<-]`iڞ-=2{@f#zWЃ>9]o ap(Xn q%'COΔr.[ g+Խ.XzE'>P@4
eBCީA	npmx#XOk_ClOjwe}, [a`dwHFηw\.)n6.0hl$aڌ)'fv
څ2AHL>vp]SY2.SfwUcJP̠|716ͱ-,ť5Ol$u#zW
qnePO2uJf5S5 c	=MY3gJtߏf6
ƏreO?|Q^>C@,Ξɘуjs~P^j8##DMH)G
zkT2RzEm7-p
uBs,V#]wJ"<z?4)jX
vQ\HR
D^6'OcFבN[^;i1B>s
@IC2a4.mQ8PUa9f@Aɦ	~aY9KflvP@)"$UҳR:]K"L$SMʕ.!=2<nSKlŅQf`sB+ cmH;a>~{S~?+|i:L#
op<KJi\il7kYaytW[JzYw
eT
>̯GZU~^ӣ4&LyK޽Om[E6kB
5iba?樝2qE`!CTftnBr~IcTe2#*Y\;w}ؒ-.H{\mԽYF_O?Ds̵K6w`"`1|Noj(Eh8G'udnF[,:]Va9u䬒G9b%IGّo,?\y
l!-jp!)6%s,pm)ʺi)0PsѦ"SX
/Hr<MDBW(M'6p[DCΓ־SѴFfuEn7?)34նsmvηbE)j OVu.`uؑj8?A۰h<B];m=07'O	oi?U#]sώTqz4ı
?Ӯ|~vpv/-
wF,
ykdE+Bzm)Lέkcn˱`10&ލ 2	[qC<>%}ߎ FA=Ҟ.Rs"b)˱\hw$JJ(mv]XBܺY_Ԏđ,?$O$(p^ZS-&9,`I4]'DWS韩4˂DaYogt4x
[BY QtAOY@R5U$fjR|.q1bENt"*=iXx-oրe`Fg}!E
 7=nQ1+|u(^G[FU6v븜@o Ty<TLdr*zD[8KibOJGp[2gCJXyYWlE\^^,-fS
ݧ@b5).wŚṄ#_Ws{W{:>ۊo#>&I4`Jp +-nTՈqϘ]MҠI/5PLbh
؞Hţ*C#YxJFqp7Yx&J5gf*0x@Sl|>脝*tgY-zUtCo߯;QnڪOdE(E0WNG!KnDjt̄}0*"fS>tQM(]"ƵcshlnEB^
3(>-lEpOA6;zH5VҜzR.bkckt>%>GJq;GG=]O}ȵ8 r٦Il*n)WF<ReS5Qm`)11kȜuD>tH"ewIXD=!6}q-MN~vbb*~E+UnMv:"}ώ
G'n
#lm(6>uDKO_U|vv;YDuKebYQ8(2)i&y-8ДxO:\9]z].4,` vz"#z&\WF#J٧4RՑRͣ6G
ybdSMhk?'hm0gG"vVBESؿcxL f0_b讌ƎJO>bJ=m\E> ^4JZ,c4a
X^{o2Miۚ;+)(/K-ˎl;Pbju,
#> ﾩjE:)ZL@d#>(X9_ڷS+LN%µ?ܓty1JptE~I* pEQѨD&l7SiKָj3ŗg2q]wdt#(}:'ZEN) ֿ̇iG,Ԥ.ymncn&'BMƐ|8ܡ-qx6j,s3nP[/x
 M
J|Jx@F~4g4GYl	/h}lYJPbt6F!R*.={X\z
uX!?#YZvm* }ǯ-ݨML< ^i4qkGte͆L"H2GYػ9SFo2 :YΏ/߲V3bEh:E&9]@|>彘}Ȩ寺pd[WVKKIl(,.  86pH
ՋgpK`B~
 $4|ߟPNO8]¤>dWtPXJC2x}(sG\ĳ3@ Ъ5^k6
lΥB|IΒOV#l<+*}wauz/}?6VYi˹˫(m[VE1+SⶣݽcF&lG{}=/xAAY#Εʼ\l-&nrJ̋\O9b<ҪDYTKŦFa21
N*X_$eTvA%N%%޿!}*tv;7|M4N9bXJ_OA8;%5VXW7@Nĕp]faL){Y%⇓A89Sg}{-u	Ko?G:CNB~PwA
6bId5Q=[sUJur@S5dDyה
Y3Nn=Fp2??aoj	2]^ZY8R'+Ҽ<s}ˢGmm0W?hX@`N
1[OGx~#z	txCu6{OS~@dpXŕ\iXq7"d:u|D@vg$YMR><1Rh "^V7dB=#O09XtTv|x7@Xҫִǐ9ߞΥo?{s*__$ލ?,EZŪ:fzc渎
ɞ*k߾M
8Qb#R/]|l~jkQ |8T]K"<Z<9BhVjEI;\Βx݋W)&v4/xG0O]TiMy۹ͩ~$ `kHz߮ʷu􅂫yύSEaތ!}$H;Cj	ú g Q𾡏ĳ}TB$撕ݦWW
fw`%@Yy:t1ŀL΂j3z3F
fp?h]#jŧ3쭫݂Zhm̎C IҚ6C-.ΙӛI4m^U 	[ݥ+,A,Uybms~H\UGΊJe[|M_"e>||YnX
W@
}Fp(].\D5١l!2fqpqǓ2I6pO|84ŵ
܁Rt|"/ۯrSRQG	oJ[+w%1TzX@j@	\V~z:>DeƠISEOsVcs})w5-'
O#տx|$H6洼L/}ae"Xa6GjXLɞBО0hs :%94٥j)C4t%:ktŀIkn2\ fJX?z|Tц5MxxY2EOĆ8I$y3WT{hչfk+d*MV+staHWSȥ$lĚ Pf){A)&kݭT|Xo2 |F^{]hMkuͮ:=}v`ԂX:x
/j-\δ+sE.W~Z5$sz^,U{/faxSŻ<nBOL%ZO'1Mdؔ#wVBu.\T3Fhqڣ4KUkAeMoalU+Ha:PYC2ϐxa,OU<pj[o銾<áKH83
ϑ_rjCWfRtoED"u7	;V3xc}\&\00X*
3(]jyU7dSoI"ۣa/X 
9LGFΉi%xg,TZ!\Y)
J#-W]KpהMz'U"cLʮSxuMX5$`?f6{f}x4(4ĥaFpgUE m`LQ1
r8~E
-YҸ0/>Lϒ4Xh&~ѝQ0i9ڶM.#ʕNV#EOvY=ړM6I)D돼\lYU'ŏ'2*nmŵ؛GlOHkXxպŞʓѱa0ii˨- Lb]xN8j_>/mQ;SJҟZa	m=(u<fꏃN?hOA?n7ZALxDB&U:VuY5<#K;b[ծVr[ÎTӛɪfBŊϤlXI	Af&gӓ'8*dmVb۴P>OKΐPg@jFI4v!.ѝ|w5kˮv۳(/
bqL7psB12cCD๕ϴׯj@xSMsk5GG0JlC
e4+^]#Nz(\_UuX+yL!qlITwĻ^Ǐ{ɨFH_>^$s3Zy{|Fh]}lAj6K xIc=+/ZTAΞ
oD6ջS(T
ZE`-h9<cgLFb[q2U{
{H>[LhM?y%T>V08`L9Ry=B
Ԃ*Λb*J&m^h]rv
~-n&ko|VoLX&e<ќ(lApڽE
BqUC!</<dinKSߏy2/`!<թEπn\GER$svfKU|%y5(NThČ	tkQqFW04O~bMoĖh55T#*^FEp^"$j혵DT7'ǂmQmx	U{u1SZƐ䢧Ll;-Rl:H(tLqTR!} }[}h[oTyD?zL$yݮeXSWf]~\U "]NUxtR[ZAŕ:ɁY-HeC POWa9hOڝP
hGԦ^⯻NUtPIKx,n XHbK(OsN1yY)WC]1xh>}dtTҔ8Rm9)j=ʨ@?C\'*XcYx0x
3"*-r\dR1x·_]7
9v[L7aZR{mn
|ThyV4g Ì*޾í,l-SVbq֭?m[5؜mfp	(1t:UbȂ!t/`ʭXV	=]X.iV+{CJC@XRuxu @%NX{r0x,->kP !Nğ,Gȗx#_[$"'͚BG?
cmK+2.4
}(;Ў>~sQחۣThKKTbϵ*aꈣ&4+)`rb&kN}EGhucRf874YXY1G+NwKH!:u'%L"}Ǿ~MG0;73Bw.19VUK6词"lN^KdYlc6jRŧDRC:A7BQQih0]6dZc%i3SVuѶ@7:0U2\m2vV_\:oW2k)yI38zeF:OP
5]V^`7@P1ho(fD<צk̵$2PN?[ک,QJ*ג9uADP$	񻓌O̊~N+
o)6~y}#Äξ8!x	˧{mNJ)XCjW#S088Wi+%Mh <Ǒ&a踘MH͖5љ)k=CTKCl]mLǂ&)2\L:uTkLiVJXOl	dA#`v*.\+)`C=g[n~4?՝
W^bX;ɜ}-@B*wu
d"SԺlb)Ajm،w"QmΡ8qSju-BE&t9
/dwcS>i֢0.oҕiyx%m}I#cADF|jGefA`
Ѻ8Si-9@>V63,nN|HKwpAUE}
@\Ew\PF$`|^Ĥ9ܚI*lf
P%lT"^
*z-#_<ƛ۳ dMt8^Q,&E[+
wS-̍%?X`:SK$%#4;Ly/T7>~,wLO뭴/[mO!Y0<=ʘ)l5UQ'5A`عQ#R\Nnh=qlB2W-NL8bwSGtJrM7S٬
՛7["bѬmcrUA"k)K
l\:W>[r
klXklk2#Vu/[>	>0cEѢ{~DĉhKکcZX9?3M8(/`9cѝ	VY
:
WxyT'4С
/Ds/͕xr"d-7󳥏	vOEXű4.v3%F2kM`rzE4TqS:BjŚ# D*V8V'L͢4{c=1T4a	'4lxq
P=Zі̷̫3'a⨕%)dAuNK0\/g'亼NS*:G\rw*C`_o#:rmx?-K7AC,QVo$T:K4̮oH׭A9jč*2TPR)>$bilOҗB׎6y!
;Zsk>݈s;@j)M1@SYjIhODt#V͎?L X@B-t91rqu܄k.a93Y,τ}h2>^Vt㏥'+
QN/DvZ>羣K4h:XEǱcͺ"Exfĺ]G)cwik4 |3
:}ꯩ$U	d#<;޷* ht:kA
s,?)cNf;V*Q 02w8zvbE/0r+FGQ3Zu[qYB=Э82<*kq}TJ퓕ZGblG%VڶL
5\G^,+4@,5|N\c4u%*$jlOD40o
"S@vyyU&)w*vpl٘I8uZLINkuF$UBCdĜ)Tu7n[0md6x|Y$Alv(4!,9Q6éfIY1M7o?9cxLP(鼏KQYO$ʽj}i^;-Z?[&/u7;mb.꠭A"]ʦ4vw6=-]wj׆l# ^G=i7A7' оGKGOVGOUrΚ&Ѽ1l0q6#ϦrZfHi^nhՎڴco-)/>g<iNB55xdq\<Gs}R1_ڰuʴ4c!X]_(HX^T_@1of1,ުDbM+U.aV*yfˇrR$f)KL g!/Wqm,7yV̈
Idr?-8KwGQjV@JpC7OT'9uuR-?#U7턕©Ջ'?=7 x*!558$
4>G/,cSV+ݴ٩QƌVʘ2p/|Y	I,DLHiћٛ{qB
}Kqf\3KVxo	wpzgSTmQLXuP7(V!&#Ä]d-$C/dƨS׋$P"7ͼƏrݝC?C_ͻQ3wdflbHUB)~g8b~SO4>jR,]B>_-VT/<d+v,͓xf$juD+'Y4*+>h,~RqÏF5ь;Ya2ކx*S2Z2A"  *E pk_x{elGhݧPʭ&,		S4+J@c+L~ɲg^Wۓ %}WgXYDo6)Ą%	<@f5kv8dy.qnymVM)4hw	-Q؟ofSkQI<[5g\hZ[dPwUkM&YEcC(%COxtATZ
%Gt:\%E؊6Akx'hQdtW^[^<`=	k#nדZY`V%lv"DB	JNYMG
QU
ozvSyzz9٧O*0wEn)3v7?)ȣG5()[9%+.g2"d%O)KM8iF@%>#!E@=m^KV8Hh.1X8. \k]W"'˚2y(K=:(Z5Zw4ddizK=
"A`\]/x﮳qf
ĚeW0[0UdYHXoMySPįzX6mK<G`Y0Utxν9J&6TaNA2?s>y6_E/
sj0cd〇ki7ȏ^FQM䮩{tjh5__yXX]A4	E4P	yXk?XlLPa$KGE' DA1
aoqM/]LD[M, jdze݋qfjzjG͜_3u߿8ysbx-,-~'f7`߹*wދhe%-`,[#d;Y`mA݋{B>?Ӻ8׮MXqq:sbf4Jڿ-Ѿс0QSU$6jYh<YڳCx+0l$rEtP#t&^gW
>ObR*ӯTt$}+.ЪKUnU<ITex%UpOQ!
 SmkU͕eU߄5%*la#~	&>GP+:-о~v2
V˱OPx@#'
$ȝ*C$, e4` _ .Q0o0ioݤ#k
&Xm1Њg"o.)|ІRq'bo)8XY
ޱ4a>ZuajR>4W(Z>Ĉr>창CYx
8WuGt'4{V`1canI[ub%gD M[oX?&Otҷ1Y~$Vw;Wn͌M֮KſKǠ9EyaZ=lmꥇ@HeydПժ\J
#UtQk,
.pKCݿ-7rཞ7T$8<(ARYF8'" Gj뱶=Wc}5w"$0BglT;ͭ@ZcJEk*&lcQ=L&@2;[+2's5nyJ3͘9wi8GPQ
D(&Xi ж/0ZfRp̺݊
@Ĭ
@طKvFFƎFr*i ,P.,3b1ɓߔw5{*FRs{76ffi؁Jvd\p.Ty(EohyP,
=&f&%J=,9T}!Ϗ6Rr͛ҏڨyݣiaHu>=.OcmME޽TOG= #< UqJ*X)PԏY<]HlRfw٧ZG\f|HT8_#^4#7}Ac6OiSyt~3E*@cR\J}Vaf<`SY]|{o 	mtAt-;ʡH׵N%kއq'W-DL34$DV$#^Ru"C/l:N[*oY4}
<>T;:em	Ey< 76@GxAnUKeiJ4iw'`o>>טnT
wNQm9pobUqTfn/xW\MwErS/ܒ#I[/6zleK';3
m3&>d4<L+!c$pE2>֩o{xmZ^B.
w!I$r,;r^?Ǣ@́vݚLM^ZPͲNE
f[ҩ@jD?$
-l7oN7D@dsir!H:toŊOA	~/kXGG`fb|4EilfL~UMEqg]Nm$Hm!Kn${?&;6l-b6>Ajl(p f""{&RXr{0qFH:O
Dt-&*ߖ**a./*$Ԫ_(omVWc
#7%,Bq8p$Rݨ[^l0KD""-gW V(_^ BڊKجv^Cޢ߃K.<lthFaXT\RGmhKV-bͦ"`^[u<5
UyNblwoUj}kP*L
+F[{|[^z@k*P  @*̥Jm>:ڬ$xc U=Nrlzv7X4\u\黣Cӓd
&p!a?a7

_H~%eRS?7\^=CPpZj3V%P2|4
U7{~EOcO{o݃(ŋݶ{%4I 3?;H*֢҇rzE ? WI=<` ǰ/x{Dx`j[(0Q3*<hZ,[.an.B:Xqpu[UPt` @ڄh%;z{S~Fcq+p
&IG˴0Q-#䦅ͱ[~EO~?6`+⤼{+qjf3㎵KaS}cV!|;`YEsJ0#Ȑ+ r>V)	\|% Pљ!^Rӫt~Aab<&uGk{mJ{E F,_2/#!|B@}f9Gb%T?"KN(S8 a|?Ba<M}Y2@"Giso^}&qcоhjR֜dd$my ׎pMUqŜRC'S%a"Q+Jtw2
C
Y^f51O9#Y[NV3m7>* T5cjHT.$*L<sf}+ه<{t,eV[5ϐ!JGc7z]Oh{=AG4y[r3D^EgbDI0N[XGP0	&o)e
-
Nr?zois([Y55~Lh\Khj53ϊ%,KdPiCN2[Pn˹ 湋
K}156[|'`C4A^"zfLf>;O-moob+ֲݾd<^DE.>wxic[æVR³@8Wqm+Mo
Xa0wF̾D%@oo(~DҷgX+R7a,[q#FDm7PD/a.:16,rPamy|>jB69sm9* #ZTJ9ңRMk2ޣ 9)/m)hk92*(gv<h
'?mH@'Eک[<ORg^9RKd; ?i+r-?E\Ԩnцy
YOI.F,P×:5e
u-Zc%h4pMVwWQa YmKOx`QEZ*
y'O_PDibi8PmBnǇDsVWp ^CHL)e1w( HSU?-r7Y0PL
,d4Ārt98qA#MjA418{F\.ZyTdKΌy#8P6i:KՀ>	$)w+
H1O C.rrrM"yRW5^,lJPL7.~Ӫ#ΜQ|
iߣ:G@!Ko0۷.45aKt;~ oJ(j4c<4y
??/]6E5aDq4J56~ATX؉5S|Z]͠:pE>ⲅS2Iv!;f
ۥ51yr0JZyd7cT[ӐPFV톏ؕ`˴wX+Je1*r9%mlˮS@%EiUno
{@~ρ&\mf
ϸ?ΧHJॷ* 5
R2n	zQ)\	%IRߌY㬙>rõ2bDZ={j,t}3w@(:OٿEI~DE7_
JD
a{!+F?b"B1&>1H`qSr^ܸ*Z$󼈚Md7 @TuL+.ւ/%_A$Aw@zʕ 7UT/T|Vwܷ~SV
ZP}s6l~UE-Bkzf|nL_/
!JfYG#TaB N4:Ȧ֡:O|/n[Fjy~
*j9:{)Y# %%*J+{-Evq?}"QMs8nZd9KR۫Lo	#,HO6.)|Uz
S6Y.md}YGl抇9d~h?',K"W9^}[-lU~
@t]2<˨8pśO|'OG:0klmu9+Ҙ6U-Vr\
2L_PJ^%;ڞ31QuuPbfnF#6&'޻ֵa[ukjJU " _f
/Ɋu<5nwВ<$;5\DHRnDm+خ-JzFsϳ{A}+"krG ħr?~qYSp_VTSϱMn^xWRG%y:h#ZtAYа"lܜ0a䬴4J9_NGU&n̩.μqO',ύP)LN/DAK
z^<ŇAV: tZ!e$T8[Z\_\(y{$+wm!3`ɑԗ`ĜtJO:2.U@f WO_=wuaR&,ۗنG'n%
#oy8.F?Em
WBDxt~&vOgnpexOY鹽DS߮t[a7*ꋎi6'vrHz`Kh<)*Hh;; .]š]Dnʳyy#21WG[-/SP	MIwP'nirݣGVn	3DSN իo?gpF30Y`D4)Wnb6(.TeyٽȠ%}-I$
DGF8oK>B uIQ>RǮu^=$/u)V;!٦bktϰ]GjEu(NHsUKwW=|B	ƽK>t݉h傞6@UDԣZNVo<yTŶFkdC'wͻB~Z1~l99rާ,Gu>h՘3
<Lwj;3#_U}+|ݚ!/o苛!ϧ$ \>ɘ6wł5.ON=ڙáQt͈;-U9VSMH_qz.uÿn[Ixkr	Ks]B
a
T5wScH4"هb\VEU`+KL6~qtUV;Qda^Hr	p]GM/mF"fƭy82IϵIS#_'K5u39!&%nF3jOrd,.ۼ,x+* D1,b~U޸&ʺ:I]GNM{M(ƤD34
< WDD6
4!HJ>o&[F`LJߑuZ^_ࠆUJթ잀a3ᾛ5ja#G3<TF"#eoB֟xQa=A&P^(tLukNI9tcj<rю{xkޡTrer>KWeH3SsA_O|jLX¥-~<GwQ,'{I6_=b}n(2U}
Vn))'qkeρQ	vO]"S/y*ĸ3;ndڡtXQq*3`Y8gx
#%20	;0Zsm8ZkE5J]Oir?.A|DuT]bfB"ʼ'tVP3}X!oϲy^jKϟVI1S/Ϲf[W8gvr%v2^h;mRǏcn'c~l%Gj;1KN*AM,DrČ@譾ECUۉ r[7O?{z(	Gg=
a'ְ)޻=;;Wo{}EF5<iL}6䵾 ȫ˦@7\>W/_9E=}맏ΣˡN]|PA`57P5zRaUP@ܑ~?0J/o@IjZ)RZ, Iv9Gdb3szzIT\\şqcSA%1\ˬn&\h
*FhA$!z3ړEvqSs(FZ_.eS+k0\Mzp?DC@?~R)v^$K|,Wv>a]wqsF2v{!ri}6_{s[s"6hB'el<0xRՃ`O:ݶoO!>tT׷sna0}R$[scN,J;G
>1._kѰ|	فZ}҅4,*4Vj]K丽i>什Ez[OS
f
*}rֹ}6
F,pP͏ʫBUseV]rQn:{˥)˨VD$t9V2feZgdo`7(6qUVV
mirS<Zr1P[HQDR/:&M7}-~$cM^==kzm[''-;um0fl1Aי*H_m@.9CA3>VtUmqPqdTW|F|
Lhm5¡?a%!LY$3icl(xœZZ'n<@
of(AHϴo^\@\$x5-M&w1(&uW(}XkEo'荰;?F&{8|6 N?!'֏@oSO,?\.cw׈Tw75QFXTixңOˤXH$I>m<څ7ە>)}hMI4.
VT籧X˖Go
BFh=ۓp՗YK
=`<kY\<cO+YDݨЫW@*4JA!s}aڅ!6^^MbA1|֧1VpiyOVE
E gI>ʋI˂8u= ?AF*BO^Hٽ1{gVG!D-L6Nw.ٝH#^sK?!T`wC%?bL9hk]roFZy0dM
!Q&}
<Lփo[qzh=Sʴ
?{SyB=wܜFw:o2{z^DO:)WwI"S)23O6Hk=
]As-dMy$+n\~D#iF#|k&@wcvS z-UrUpvr˩^Fe	Yl#D+I~ɟeۀ*ؕ@o>1.D$ 61C1v(kK[|BW^<mXL~C@~^uɪ528ëh!ՄoL|kދkkתdC&{%g|gw, T)ꈗq%Qj]rpρMPpjz:(KnY%L(!|<\˿,pS*Z^$!(.3A>|h[@KNGnALAI7bނ H.q2-2-PK9l.l]Хo$[S%RĐ8PekE>xz 
D}%'qδx]ӇT\\	gׯoU G(1&CdMUpIʐnUo,S|Iʑ{O-T\B[UIxQ|moMn
Ro/讧 Jߔ& %UMڡ+
Ղ{NہZԂ)e^_cFH.|[C 0ypMz[{VeFԎO4PI	
;DTÍةH஀z회~*Kt+7!O-mpzZe~cqq.,xunH s+}Yv55ufUwk8(1JE@9Ӽ:k:ReRըx~3JIgvR=B;Eu-9fBriY Gو@\6O7~ZXf'7;e%vkA[-z_Āj77jE-)D'ff9ayRX^ѽJ[Nn~/P[w'y|(J5)2܃J:4j(TF<Y_upW[AC)w.u`цXmx
)]5
8)t:(; ہ您.dj!MؽCz\PFe[C,e}:Cv?-9Y^)ۋPPͷ)O|;xGW/x*1əo=TX #JZ֟	ok`ʰ=v9U(o{Ր9 
ɘ
F}&Rp>g{w-[Sn/"RTQqF	H4	'T!1`޺e&Y9?1,ɔٕH:ɘh	}f"B"{zXeFt<a|=I;?e`p!o",qXNݻ821^{5/L6l^)fi	
MHAz&γd_nr.\T&3[L,<g4o6S)A->?Ys^' yT3z[:HZ6'?gYF`w$Eawk9NlFqPJzQ
WskJclFPz+Z
8Z:uK2[>>d'寳mMu,U:rc}ƮI7jԋ cAGb0qIFY[ i5]IFR:Ąڵko\JM­V~%^M6Y@=@g9$!\n-@rZ ,% "Gh%Kq,͔@j۫g>MEKfzEO6~ء	NonF4`ɮ=DG*f',Qݛj"|ҿ4^dQlsȖvl3eu+Fax]p.ۣqdxlx\eyEX?h'˯~/U0*s'{`{XwzG*ErUN9O:kK(T2yB~o$j,\bwh1COu0]RT3D,w7G{[;K˷#Sl7DW]rpF7kF-ٰv(̖O=~ֻ=Ѓ34e0zS -׾v7'٠xçU~Уش.pmeYmqֶ>	(Ș>}5FSw` hU;C/UkP،D^tMߵ^#O/m1Su	[L߄AԮIm-15<5SJ \3)!ܗ,>C~y3RRܡV RTcr/^:up ԣ-WZ
Gir3<fӐvUWF~R1vkp#5
Ol TWXܕr
YFP"'K^kl/?q9A1R?}U1hizG#'xi,(q7dlԑֶ[ (׋ !⒡WHLV>>[Tq%S4s4S]!6Ĵe 䨓|!2w@c
4hHb,\9.bm\׿M:.8J[;o+:3nt\3^,+|WFТ9[Hc.4N^jv|׋K<8DU+$[^$bb?MQq@RVlS^2ajZLwɒXT!MBa7?I| SG+
=Х"D@9Q.*Yt/d!GEcVE`麒"h؅aFeŪP/{n{i^M[&p61Q?FНV`w,uIwUҸOn+ԐdGa(#$̵ Tk1k1:$Ԏޠ tf0cx"^3!MbuG_E掟__, {
AL!O1'ǌ#\_ CULs]&ᙋ_^dS/8.8>mtnyz0q#͖n?,@&jϯc
+AiĦ卨,7LwV4QHn'54vZn2KXQVOPhYuARS=KaMvleه'*a$0~掯|w)㩻.Ká0d:_<#a7EAv&ayQiL>C7Yu9Psw}A*t$/h{?%ʊՍ3L$Mhad
awnh14RM)^
15O#7
uŔl/_S$j;"$M"jԥ?p
R:/]۷>9kهh=FÿU+垧`+Aft$&׎ܽfˋ8hI(
>R"E@
@y$:p(楼pxaɜyu+YKՉʠN}i$Ndo#poLa(V|qfZ2ەzv;^MXQy.4P[F+?H6VI>Ggq_EeP'Őkbzl3V/uvi.uA?ަ-GZ8tsQ41bYǷuDȺ)ŗE,;AE!uUj2p|䊵0K4'Ř2u.yUR^$[$Rjɀ~Eﰣ%T^ǐbb5}>!V-.hˡ5#9-6F:搇'Ƕ60ccqNdZoK,d\ͩÖb4_jr~F^e6ڕ	0BzXCU@MGwZ*^o_W`,nN+M}H30ihhG1? ;\'2ߛvfUK	Z!kNi)Jԙ.ێtiPPIZ:׵0\bNBT!ҖW=@ɊȆNV(HHhF֑p	ZzhΏGYt	HL-|hv܁9 wĈ'K+Bo~Oo^@yC-@w7=f~esrY)P1m$bⵌN#?buߧ@w
i?7	TX"jO-7vI S4yEclE	ʍH˅3x{~KZ/H:0{m5f0ֹVz;;n߷m@BA4)Il뾮DU3#1Jzo%9xk[hYMV,165tS6n*tu[=KS>&rG;onpYGhu/*$SK
AͶ7MiujI`m\wB@< ʽf^E;&V
) @Òr֘]~o9+V3UbT$vMOZL%B¥:3L ȩĸG_%Ԛæw(j)}ӭKp 2(,5 <Bk; Lv!x'FлV-#%Ta#(֟,'E·(
 sw"CSJLRPShDՅ`:v4GTYI2pK-FJ^|ˤ	Q%r5#0$?4Sk"G6VC֩6QXYIF\66Lk|x:gO(ϺQs7P cT]<np@[PsMW2ayՀ٥ -# 얜<;qozھ^I9w.'5}ДlxCB/c0Z{IGDŞ {1Vܡ_ok><
q:+5<((xט._AM6!K5r
iy}(h΀6,43åwMs-R~JZkn09I4Ir%<KfCb{N|&Q-M_d²_Z$ͱP<'x?Ɵ u)6N?wjz̋lE9ufmj..Cium/0ь!x.R'LXljn>3o l|Yp*|zR/wP}bt|[eݛ\@lPX u\"Ke0FYrB#\=>uHҡ+_&%v?%d.jtORnԒ'-@8yCPc2%?ʯ[\1"ʑűH]3`L0	Ge)/ϛ(OB׮!~xxg%p^o(*LK_4߻x="Vb\\&Dc+I\g>+  G-nwA8/]Ȣ:XdJ٥`m[LCKÝa䱘g+ظHﮇJ~pH1ffն"af[!#Bք}ĵd?Ö*`ON"p3	!vKoklu)Yՙ:V!h⺱7oCSF\dWnFɩ}pUfEQTV&-|\h'3|- 5;ϦrB·dVoTp"B6r(?e:|+}9 |e;ݛ3-	÷)r>\\=lki4;ֿVJ+dykIn;O+JL[.ƀy6b\gN;
; ;<5xU
-a٢AdIej xhIh3rqnzA%:-F賙SQXroWEm%aSEu/{*;m,Fqk9<"npw	Rq^M֊yeUکufS"uQĆ&SE/d%R%g(xn
-gB% d'|GܑdOVS+[hEeBqZ=C7xbF*,~5rUP+I-pt|j_2;f9
 /:1iQCw4IZ
_ߴaVXk3yTCd`iX4v>l6V?bi)'
tUAȓ\(MXٖixkUNh{WҳBVԖLVp_vB$K~P:#{G_q|n
iQ""MwmZ.P#4|HnP+wu;%CrG\6a3{}t#I`nyqod6#w{򧊔D6b9
܈	&.<Bgp1UrU{wpt6cCtN:vK:X"8rɃʿ&%6XSlUerxew_DMa磜S,U۵ /d^]eS(ԲfIxV^d?W~ 5Y1sk 6`jAO䀒=jvJլ]vOfI
z7.0*)X'#tVV4KRiDJ2[0MՒAzl:+Y@-Jm!F"!\p,s5NO19?ƣT?[hj$D#q?ٟ[inFǚ04Ј	§G.Ka\;M$.ӂwRquI}9to*ڍAKեd`Se\UDQy%^2i1
1WR^?I 3{ˡV6TJHo_丷Z
V#	{>r>n6THۍ4i<n]T
l(O
 ]	."5,>0Hwؓܧa3wat]LNNZ. ,u~]hC7.UN1D&LC8#i(<xXz^u䛋T.d$}ꦪk@*KelgBP>ƃ>ڭDq.D6@1J9ݶ[(JdrҰv^c,
<}=?^"s~8`%K@jO~j
u:BWn:TU5n[O i̲]?[%`J]$LBIK.ry+`,Hkqdԧ(^aݶ^T*I)<$*<h àGTil|V1_n*e0VvclM,^=ث֦V2˙r|j6\TB
c!/qTjྡz}xrrxL6KnhQ 'm)
SynzK%)ཇ~*p F%MZ^q2K(C/zU$̋\@Zj#pRX|4]	zQ9?8p;5;G:|f+ܨ6W6v(MR++H u#ݒU
du+ή.(F{|M'z9ή;Y ks<zFeo4NЦ2cLu}.^ipeDy_u4'#4 a2f{{&:a#iD_ĳua3񅝎זZk.d|)l%P!'UWNy
U˘_U	9.6t1if2W)fgP!QD'rB
5,WW/x+Q:K=Xlhy_Qӽl	:nūe(Vi9˵tψu66]W9xH!@o74U	w;&-%lkWCMel֪;> Y2)2gY4eM St  9,B
Mu^ zݤE,6t2
<esu3
u"s`T#w7`psIϖCLD+dRgc)3L)V`I>^^ut[4xJrZ*MR\U٨KN,I#ﾟ/Zhּ$T5 k@ud!NZKglJ6
MkjCSnG676D=ZgV4H6˔ئ#M0FfVbHMGza 8' @	.0h#Uf#a (31
\C`i~MTQg͜2_H).},u^o۽kN&+$l+ 1X-W
$	n˩qE\}\,UIJRfh
mαg.ox_uU-9ʒ+^<C"Blnu)2tQ%o˷B	b|ӑ{^s7Ż6TPV.TjP ZV|JIZRhHgͦ_
2kU66k;[_I>IRQZ 5  GWx\ۖۤ9|Vt{ +a"ң8@k\1S)7o~h9cDwJ8rgAd)O Wk
nX@V#:£.?c{ň:GJ/5ɟ2ӏOM''oty\9Dqze⿂DV"~-tykY>]~hIi<<$OQzvivڇ"{
oP Ey[B]vh|,<W½
ZɭrsaC4`0Ig;K]zIeVPlzi+JH] "}
s վԋQX0'sd޾UЪUw?x_=}]n`2|$)\x-YID+[(OQ ys&/	'L}(S첾J@ldTfETU`^AE(5ksq~U5i7g˕nƝ%PgtڛV8lSP䮐W`#HWdJ+Dbɘ2^;A"V&Ľmr7]Tt1]'4-6ԫb_ Way4c7ܣDF/@7IEm08}XU<C)_~|}۬"y_ոGW_-R^/5ײ*x+/ߥim 
1_Ғ9&09*Ɍ:xlډW#*y<cĦ;}c^zpY..rHQRGBC?7Qti!	Ȣ0g_MngmOCh,ݱ]u5/O5gY(X^qRI52W
G՚vntF! O#
vebF~̶rp;HlDhpzndr}C2n^;
蝞Щa@EV;,hHlՋp3
߿
?|N̍
Ӳ$̐BqkObe.Y.^=OMD)ͰvNGk[xr.#3c>U~f|ٽ1Uqќ7wi>Bs`:a%:Hۗŀ W4&SAwхC9BO%O.Q甏ڭF*<~@ހ(G\^+lJn êU
~d4WTw0YIճ%W*?Q i38\-(&Wӥ[/;I2܋q%dޱ=nvck{0o8jK MY|yPӈְfɅ1& '|.ft!]keڏS@8UP=@ȠE(]
Thfڢ[ɰex=#Is1\M{\Pd<j,\kzgRZӟ
C@rPoōO0!6M3F;ʋl+cqUBarٛ@7uZxO3`OI#o90%`)eloѪX4^%e֏Pj</5';~
b[U	<fjJ, b.M!R<3,lP^N6MXÞ)JƹE٪zX$I]pf~,Cq};c;y	+?shN dnѿ洁%۟7`?|MDЬSӐ.8t:6Ú'$C)h{g<<tCd6
<%==ľLviN~ĳ@_KLȁC[ЮnAw-0G5`ӣPh!q)IrdeuAsN(C[B,c.w9b)AlS;O|O=L/;ǧ049KWUl7˛-!%*GG,ų}1u3sT+l#ғ`%}'ږ|^;b<' Fnc?$ݔ1`3T"jz tZ$4/=/\hʧWl>/kAj	gCW_ؘ'aQGyR<>><iIH)8UR!uBP:&^\T <~޼~)IdrK+/I~k->}H+ׂ>fb9/w#4'n!G][\jz^uEq¢儕9GuHΊj8+U<HKsڃDB-{UgڴNiشN	dV6L^00|dHvZ
o
,.2(eYjj7;m(!`94l`@1\>qiZg[u4}J`ć':y~@ +>ڠ/m4@#B+k^`6z/h\EZNmW
8ETタAw~y+.
:ΠӅ:P3byu\S{@_g
89kRί!6![E\"?4|`~!S?w}s#.0KBT=9Z#>1CUx@DۯZeO5Ri{mu;3*x8M>ARq[5+nzPqͭKVҁ[3yP(|`u2~8B!m$ٳxF-Qi6Vu`Y%L/.ąuƌ9ˮd[6ښn`f>%Y*ղ@OA!\-j)Tzűh>KdEO`hMm-p	qgD@1$oly1k xJ	rֱ\V޻p3c衂HKPap)vBTg/'hZ`m+FH$'tIF#n'w
ɥqu{-.]/R6ӲŴ x%lYn-, I{>qǺj;C%4Z镺ϟ5VaX"jԨ.qh=,4Y
DUܛ%)V%)N[YϗD[yrL	NVD5`6Ze6'R+W` y*cUv5
m/v=Pbt֍ߩApt;{V`1L5~h:Ipuo^[7EKʝk`,"g#Td2

6*)Lic۽VFӦj)0UK;[E-!uů|A27e!V˯]V>95KsfR-3ڧR)Iclh[:]ծ=&W^&c)ES
(s1w.rl\:/kvi.λR[YNkET6NGǦ8InEC'Gr9xg	@*6tF'8_UN >/Po8
uW?|M8jQ1rdīy數{-6ErTyodm^]XoV2=*)W6ݗa
ݸ"Qvq^٠N#*y/E!"Fn$(扈	.)y:nYH[v~loH$9wSpXmk^Ꮔy%S/Ec/y¹ /	\ݿZKf
!J  j*,6qniL0)̓E&FG7%gГnl)rf#žk^}NQTb|&fS4մ,$i
H㿪?5p$wf0o ]!m4
GbAhR*e93O:L5,%^GмII!L::>LLN\uXUiݬnCB".RjOsPQȦXM)m({4]:l+U.0iD<=aJFz';\v$ѲaM l#e; uBە_){deĶ#z1	
>kCnBckGZ|mTR}/6&%e퀍˘ĀLxuT׌,WALID'4Hyk%_w
e3Y
6_-HAZcTkYߦza[xjY\liH?YY6'`6}C'Yr[FEm̊6M҂ğP6/ؘJưjo-'b3LsoF3]Ni	ޖ$=@8sU
Q~y;^;׵aฑhhBopTmKTWoOoIai@}>k ]>Vx
i"^ z~Mv;q[k/	Z)WyEpܬLH5eڤЪ%:
5I0TЩ=BiFbё{f}YvS/`	L#UNy>vPOzSꐕun?/f~O@0cR{k	Y+LK19Y[ГN*Vb*9{T#/RRH[hFrs#p/n!pNR^UoKAƀ"7mĐїbDaɒ&:nՖɫwm҅.SO32iQ]0tunXE0bє
giDhF9ӷZѸ<w1A[ij8kz~zj)eXh
!\h ^s%];
B2[?5Î?#Ilk3t.wz|G;8*Q5E2-d?
2:?nnXר/^Z1BOǮN
vϗ·&bF?-θ>a>>0DavfְU+߹UCK:>æbGAA,M7٧ӪG\lG#5s'jTXt|M'
Wg}RT w.A(ˤzcOgTe>/UU;0L14%^žweZ}]t^sϊ]79Dƕ`9jfy(ؚ9!ߋ58E*P4Ho#8!|QOu׽bGZ&Ep;K\xTic+yJ-RJ/Sh{۵r0ʳ]+Qx|xp~0?U @,$o3V
^-XNKO|FIr@#|o[	F#=чKiSi֪fHEmfʍR֪ięggQEƕڧ OԞS76myL\r_MH0T[ZdK1]?hn`1X:\г҉Y4eQ~ZoSN|#/ض9TdBBkbڶo{iO߹I(޹T_&ݪ̝kUmHVo/5
+F2YZGs`Ƣ&_CfKܢmVw=Civ:GLٗ=-}2jևvZ,ILexw`g
[@^F-L3BOݾOXUqw,C'Gdc?: FSEH$ksѪ/Xse
Rp LtGb/3n,_M%qPY<q\uf辰>>gE*!.J$ETB?m&oGugtΔ,|rМ4s1ԥJ;VN"<*ݽpjZ]=~7t{cGh̺A|,'?\F=҆\9V
#Oz1 jW./L b)Y%mSd7 d7|ǈib{&( svSe9%-3"2+nq*h +>Gi>LjF.W1e\"  Vb }\]VeR3Bt4`(:hh7
K+mݖnyRrҝK)(uC
gy0NRG́u#Aw}-|>x{UG+~"U̴El鋄f\#E9Zmܓ&A)jV I&,Fr~$ A^WL m\$o&Ǚ!82J`凤W߿xרwW{ݽF`6?>Yt(vA@1M1CY=QCW|6Ǿ*5\[w-ac`S~U",|l+3nn#WK3gC=jcյy ԠD-Т݃_Ҟd	,ߦY8[BI$eF2%2..OJn|ɣw^fMG莧Gh@$ְ\FlYFڧ$	tw&\16(@s[swKkrGo\xU@WjnT_ݖo]xVP$jl$?PlULxEK84Kq![ԮDTyXdȻl?yqnFV)ASPlQR**V(ˠfkUX|3M]
1Ų6|wnwl
)$.r	5mEMBykĻқ|6<5]'5v,VIo=dRk6cJ
/LȚ
qv)SW;w,uzy	Hw<ݫw
t@qK?19DZPEtBK}U`h=n0EmlHQ<YO
5|·[23.Cϵ*+<\ZcJ<uNg뛛Qzyj̪짾.P;J+a5KiwJ=mv8vtu6lğ'.xDй	% s
Åz¥l~7e~8]L$cp5 kgBTOTj뤜)Cָb=,W!6`b5VKO
1*{C md.U6ԑm3Uh	;KZГwbYM?֯;;tSd\Z)cL-ߤlZ^Ζcr1r	kb`a?vrh
d#5Kvnn#g')QOGB]?gu@(՞ȨՃqPTn4ɥpFsH3IT+y"q
VIzD+ S+:gղ!-QIm}ji^w=#JȆp;6H)?Ad)Ù-.wHSd,EDA?%6fqh~T-cĪ|X"&i@Ԭ(*j{Jz7rLn3mF'\VvP P.!
6.8+lc@SUK' c2.+o Q]l~&y-"ģ
?i^qUk?힝ypBnI~2wkr>dݰŗ~LEoŦY>@n?w#@Fd_@+_
Rm?D9f&r.7ʾځ'a/eV-|θ6=J
*kuKBvG[??aBǿ'飴IC
hN4Rzd%iOeX7W3a[8?t;	 19ZRw>}*>23},HT4V1-(dYG
)(7P?24M./9Fg,m}[,HxnGȂP^&zAJ:>OԪ0i
1;YhϬ|
.z1ݻy5ՆX6p%x9`'>n2a/$:&_'mƼKڝO<RpJ.<c6\@*f:H+_sK}!u
ś)۝VbgUΔwe5죫Qkow/prrO{ɇ-o/:mm_>,7S̋ȟk}pS"%?O6Gё)t\v|%sk~ڕ9'E3lH#\(?=/`x	
m`!ؕ29cpcijēM&nkه\6>hvTV=EL/
ƊߓGj.~°	RV8ῠSF!MAu4(9 k`2<K$&Jɲl6lXUh<^=7?>X:WAJW[n۰Nzc\PIIVj	qxi󗟰88闒]_D<scm2[Hu]"ŖX#f
P54~
p}'@04K'?bIdrW!LRٞg`]`Z7kin-X@9-C#ɍؑ].(@^Nsx?m'."Ԭ"*QrYÚP7,n	2_hrPQ;x*\/޼~7O_<ڌuK&Riq?(12ˆg0jK9qt=?˙x*qn
 4U|-_dI}D_.r*3Es}a)HkqUxv<ZCEPtB+>0R+Zn0h}ZI?F*x'It.ݩ$Ϟ
_~[ף:rz0ϗ.AM֋s64:嗇5oK76dGXw\R؅Qa
-&zľ 8s<HO{_[5eN^AUzy3ƬRAw$/J\zͷn?r+SpcqJ}o5Mc~=|s˰OE$Tb{ͤS/+puԷ5%^Y;>,XbT,Z~Q4y~&<qUI(n饈].PEjUo性I,J!4ƅ{iXCN꼹Lk\8,j3ĥBwU.q=
 %>a8^dďdr;ԨfUFY'm1lH|a`G/~q_8P4lS{]8Uyx{Q",ek]φو%M1CQDQ$}L4Rk_cjQ/vrQ{WKi&Yx*I>LnfE)b|Wg\*?G?|w#L;*Mīd
f4N0zƵyܑn}DMvKE),
:-FD<ҚoBDztGf6),ߌ-D/SON7R1߫֎oWv?!}铧/Q#gv-Co%\ҤqtI%M1b΅YYT!T
Ҽb^}q"_9:&pz^!0)!o'
6-@`heۈedB`˱~&[rtx.*zs
L&gZvuR03327X2DJ:'&?p̢֏WcΛ
&PO0piz(UCKoܒV5JG)A|<k8 %̙gM=*?#S5j&HEf?JcaTv
s>_3C&McӚd^<6iˑ4ֹY5HW_AƪY¥1VkT8BUhY,2=Uov΀eù"] g$j=/CEպu]	o9w[x&)DCiD\6p#OT `q\M~]}3{H?)]n! U丰(eO
bF0wOe5.6BFAE*^;YR5G}G/!$٪WӲC?Mf|nΞXP:m
4GEUkq#_x8g<@J8JɈږڙä;8H2fx-p:d	jUƍqB+X~Ky7l --|Á5
G?K1Ίu#;HI@Ս'R\PNg+ɸx쎊%1Խ[9t4	jt}7=Еt#|}i}V͜b}YC1 	p%wC<t:fw.^Qaǋ"IYleg`w&D *}%_f:jC[c"8nB}X)h5S&<陁m-s$YK^!jnoޓEo i69%K[;б聱hĖ8r+pJ_צ?}TzL/Y5-3cqx翺&?YPwv3L-ems
%zMZ2YPu!Q,G<GӉF<}k4R9rH}v;k<ٹh.1aCM(UoNR;kP_{3i9Isu o3/e*#{R_\Y~o&P+]1?\
ÞF(˭ڗ96Λ/.Gfy:jL.M8XNm#M@5$-][H9SGPD
|zP+X.E;.G~H5Z!v1X	vUXwE
PXW<Tj5yT]++ܗd>5J_<n 4{B+8OK3
H;9uꥠB*ylʧ
T(ҽZNPv J3ndtLڕ`-|Xm*vt肜Io9D]^gU6EKk4RߖIE$ih#8I煥(YA`*Uj%tj˿.􄐲F~Ann'O\P!ԮSc|̚n,i_3{Z\D TOmU߶n͸>ls)n#x
t^aLkDI+t7N4[oƃ,{4C1H{ " $hɽj+:q봰r v)+н"MDE﯍`}[Ih?-vhj)j5<Xz%KZ/	b⅑P26]!n<nCWA0kff-zfE[_WyMriuI6BUeh#"De"cf'zEc"2Rk[`W2K}z:VZCMJ4 hPd/$q~oqu<ZYK1(rnd]xbp?+pCYVS٩jV[Ґԭ4y5k3;t|cO'| ۘ85QaÆT)Ul|-r?Wam"tmJaH0h0Ue:sVP>ڧLlerrcI^ځOv?o?mz?~\<QF%A`>L^9rZхȚҠ8fU'qit/!+#lCgiߧP_tyxWz"%tլQz^\6"DA-H$.E";V#OWѰrW'&0^qf2>ftڌ8J@Ǩ9˓vl\q!QÃuBEێ?]TC2OܣV@g'BR0:?9M<pտju$
tM+T"iٞҗpӢp!QV^mUM
	&K_˂Su4F2zO^RӺ_TR!0<A"uk<s}?e*l izl3%d]w'JVWlO)JüUZC˘:61Ta
VTS
Ô	҆pEPuhYҸZLeBm掂fa+8Wgwirf;"d;mn{h^l,tٗD([3-1<ϯZnط{H״LkPtqg]oRxsȆK xNE.$"pϰBO=KtBǢ5
<37KaHZ/&.%3}LmdyšÎ	@SPpm4:hl5]Edn^׈b}/xe`h:޽F05i/!EAGzQNY}-Ps~2)_Ɇ
~X*4u{ˇɿ7v**f_:E}PpHy7]ZIֿ
l/Ԝ]"sw们DzF7G9"f$o7UI?	/է{D
J M w~J	Aj|4BatW4&rt۰@z(
sa3Cӑ&BĎe+w2b;s{j?9ha2'WK@3JUejzGq`xժn4dhkf lsV2C⟢WlRŸңQΎhGibC4]wNpa
>A}U ni#ww1Z{~M)1'Z#粑_jzw,%9:w	;N_
qE,2(aKȅco":9GxF T]fB#%x+k4c<o!y~u嶗NILpY	'yM)<<JFea
1{Ójd"6e3[vՁ2[/E29H)
zX󫗝N5cf\	r<$njVpvNn=?&+PTժCe Hv?wp&5M.C3@Rd)unQ15j=qu|.Z%Գ3Ii2ӜӖǧHI8i~:{>꠩:QP-u~<2iXru(-3rdŴ-,o>KoN tMkE	F+M'M'˖SŇ>O!{b1.\z~zW$U70YUE<%ntߍr!'{>åj^.XE}D%);nS.sR6l5ȶ*Ϝֺ^=ѣ[.{[KJdS_M'5mpmPWop&RG]l|+XߍIu1tZz*7jXZ~,=Á
yK	ZW)kKyszj׼OoUAߘZ.LVQ_Edhb.D=єpj}-%soTg,(.lدد5]ϛh1w#b9SLOuɞkۼ
#5WmN1:4a2Yuk~F1+\F	E!N]b?[hQ,!C~˂6A,/9e	|"ި1qUzyƣ
P>Gq7l;U~L{v
`ecpülBa+alp\E_Eɀ\^Ӣɏ6yaMf[ SZ;ItVZu91Tq
S70fNUG޻3(@[Wm7UEƓFJ
]^2z%n(ҕ1^A`iSaoaX	9T>XT6]8iMo!vqw]ⓠk~苬^wDdI,%Qh֌9yMoDVFy aoTUz>aylp*9kt*i4o,gU;F	bh]54"@Z6ԝ;pCzenMr>?$
LX"&
,Y&yI[?JyY.#;eE~tlɣO<MןBy|RDmK9Ib
KBq4!ת^霨GdDq'GE=-Rl1Z(>Xxث|J@]@	q鎢kJIF&):R8m3@QaVKZ{Yy#yi=xSRg?')^n\ړndnPC}$_,TY	@к~-ӄ߻vT4b9S;!uY\6a<t'O%f2qVns\ӹ	0DXpa1OFA#حZ
[=fh4,w?AmFҢ*
5S%b>;hae ﬌*G;U|/"wG/fɡrx1x+e?<Mϯ~D.ఈoZ;BGhFP-+6
lL@)ޭ?bUjW+j~-ŪW0ÙKU_.)wky)iP~(hZİh<=
fACªS&ZWTSvkkDI6YMfi䅔Cd-c<xJVOÆT&8(4gbE,GzSwrzLwao<yh+TRBV1<wJhb}-=7naHfdߖ2
u6!h=bYяExdA0x4T6H$ֻv.Z4饷'C@Գٕ/&ըVn.rAhFPe-԰%߸1Ĥ*.gh
;
S%9xAZ#22~4pfcVBD(ݐdTZvb=%iQb%Exu˲N݁t	Iu
[rSF?,׎"ҡK.MB >UG;VŠw.4I %=	31
e#A؇0Q^Nٽmߊ[!ea;T	KXr|֧F("'0跱QzN'o.F,cӉ(2&qGҔ,{2/`Tcu)X#>\.=v=n|Qo}~5cſ>#ߟIKl
{#e.^q[07I$mz٣7({nnmwzGmq3RujcǑn *\1)2pSq7/бٌ-"1rƟlT5$k{վ[qot鶑Qn:}ҋ)}l=rv8v۪m*e8vW(2#/Uu>{Jkƥ.54eX$__}0-:|!Ruw\GM)Ʌ$kMn
u!aqrHt39V׬JVD:=DV?O4dc)౟*gWgJg".
xS/(¦S)QSX)aMpxCYk QwYʉ.g %*=HtI6	/9t0pmViZ!0׬?vF|mOpsI[twQwzȍx
mssE]p54Xn¬ek
tv=Q+
5k
AUD]uobne!8D4 2ue|WA|oiSSO95ޭ[a[75(#XuSAUt	z\aDtܡM1;^AF-XcNFISǭ]6
hM}kZV]f=b#a>c"MGRE$/

$@nDYoʻ`r)cTKQnf}uQ=>b#QM_&Yn4棑(pV$>quBYBHʝ6
%ݾ[wcR0CeQ *VR|/{j25o^)ƊF;3emI?dvzpPU?f-Z-q%a%Lƥ 'kR۰ZCQ,.^z0&!,R'^c1v1,BT-jf_\
rP<nAY9%VB)k?+fvdӛbMS#v
/*l|Tx[q2C"tA1d?%jcrb^9IAMfYLik^hoBQ`.Kp-\NRIx^U/QvYjn~43^Fh\Sq&1 v̫FWt1_4MKʏOWV+{!>Q9r/k9QEFEHhO-_S:h?iklr?_yOө=㪴q!"U|׷W9hzrb%(|D!t'cnhQBI#ÏLQSfVJzXGlAWa[vJIEpQhyEu*BKg$%Hk<c[fnw{޾SmC4fMgAj(kP'D Coqnaiuѯ5bb*>-k{m4ueu[!
n1TGim_#ɨ֬"`M?6##,
C+M^lPy"0H}Yr]gV`|ZdL?̊*PX @ @7,yv& 4;ѫ^81ځ;Zn>MoL,}TM1iVvjMer.pRhϭѸ.H+
0YZd^(dew+ũr2
Gm_5yzc䘾lD>`eΒd&0{L	^mSF5a;^LmDԸ[l޼D8{ZX.W;kuC],l{i30JE6ZWLN}~:PS ~t-:@OpkhI~ /8;wZ$<?8kPݨgw!)椻& sjʦ_?>gҾpx!]eBPR&쓌(znƇM̒6
wúJ.[VWp^{	Lyi[YTv>w<Ea؍YkWu<8Pc
CuB~]FXF+?N#f5ŨxO(6ivuċhiti%?o$&ʡdq#7qRy[l\,^`-,^CӁ:ХSo)`;|Yx0&khTkG55K6jf6<vDB_y5n  r  7 wԝ5	?$[ۑKAD*H+wG!og
%ÿVt_aiZ:y4DNtĞ\=Ь{he2ܣƗ;Ɏ !>pқrpCjfgzqob2A5s$,jVVKiLʏ4i/wO{ΞITO_RUD"2qfplJYWm03_4΄.^rݘx3{s<`DNGL "M! 7c;jE/sQ̑
m=/QɲX)Qw"
kh@:2*,MAfc !( ]Kc?}Kj
0D Il%J찅
z klHKjzԪmljRf܊19l4eVMYW*S	X]a1d
A^!4ˤ^Fi}>FMꝰp?8n~
lHT?Պ$rIHz3YXW"Ż5	%B݌`%tq=㦃ti%WZ
2F"y-	s>đ<);8։L/yaeo\ҽz|EP7Qzǲ.5*&!<TA=[w7.k'B'&<u`(N(|Y
D{
߰\+S$hsE\rӸǃ]mH$pD UH.C/nXK:{_Eniz/QgO59BʹCRkiэbA 'I 4QCC՘sT*9wH!<jMgWOĨpF㷠,'Mb{Xܳ{%xLf>j~|6Oi$+ll
	b7͘U5_$?@PiIvF#1(0ՀZK60Y0G=n
[lXD5ߡP/-{%QPuZ#pLOx*F}bְ*|&]M_~]NI_L0z8,6pg/љy
G..(fK\W}hN @6
2
j*V'Qbs=)M`RO<$#v!@ 
p{_#S5ED|V%zOu
5}Ovnxx'Ge-tw ^N^WP{wbܩW?{&*M.\.?Q 0r%whpպ\N\.Gnre
Þ}K%+U819npc4n;`ܕ zU UJĘS-K/>PYʑm`v{Nr Gι}<YR ̬>)l	&pm!+.Vz6p5OO%CV*XDy_rE<\+r܌k `"Crr5]oFXM"rֳ
b̙=5^rʊ(A|{g܅Dq"`]J	 ![ P:Vl:# .ݫyvS%Vњ6A/SzUm=wftO鬛8]"9wt7ȓB=ZJyW{𾒍Qs)Fu2jO(ܽ⽞-+' [>
ڝ,۫
̀ɉq$X_7>pRtw:FɱjyɞtD_E]tZ}h$ݗ#@Ħ8r]mOU9;-msjvSzq>v*<	 םjq9٘N
en
PTW}iJE(qPAjCܗ8sٳ~%:O"-oL;nZˍI0D{O0cnQ\#odU5?\aJ	絚~"Kb}w;t1	vƻmܽ.\fMqg3'S*{\JqRb ۉ{APJ[rg6=_$%g SNu]]LrG"M CKn!
wxw )ak8y]P
7mgsmqP>O5>:$	v0T ,@^M)]@7P\G}*|IY}Y1L.WSV"hǊN	5/N
`t̼v[|&I95(t"BglQ3	={7,6K7\qgp[s6 DK{'_jZnݩ?0kebJ7!
+v¼oܚNrAl,xrUlZ`xUi5U0t@(5sG;+u+pݜU(d5<!P-Nk2hy]>?$iڈ!.F<M8!gs<c=	$-&w,ZwO*=%kl{]VǤq{qz1X½6s,Vl7JJ®Aya9mW󈄑&E"nW@VOrޮmv47!1/;IA7mn_^yr|Z'BkIL@u6kӤo7@TQ}ٚ7t%DҭlX\ 33/{T~ 8ʭ3;
:AQrҥrh7Y]!wtɕb;6'pE)ϖC֠~6\Ie@=c'<T}i>s;_f)f *UB^S7'1v.>ėSUxV$I/pr'J[;{5&+'^ 
Ἃ?.x=<PK,OYPǃCcs(Eڭ&˒\x#+V(@j3u=讇tq̴R8llZ;aX=@ 7)6}k|myYfQ3ܖNm$sjy]G瓄ee|;@j@w4g8[4>&E$Yl{9ouf9S;O4ߖQ*=EM
gJ<v ŋl OoKwM޶&qM|N)8qw20j!֊}fF`y}0$$=:b@Mύ.R4ZBCĢb-g8RW$#)
hT+d$&Fkc͈':71d!uh흲w:k@oTEoÍmx##)8-W%vam,(T2~K)(hD	۞jX,cm=tc)Ӵf=XND5eNu~5-,_wCdx&HF"+ȶ%pVxbp/g7X2՘umԿP.YeA?jgf~8Kn^=]PJߜ taZL,*\]p;{MQI&ø̲mksN+ˍxU@G>԰i|%kS;stj=<Bte/w3D^_םZ*cT%L[.Ґ6T
ȮD߰D ,1d0@갭$yN-
D
pS.xx({{=gpV$7Zl^KXn~~6kugIc5;LDQ3,//4ROXnc`''xdPW!ֵ^O:ʬ6Ɂ!>22+	"Ǔ*-Nr*q<39zBV%].QB=U4;WmItugw0?0;o,Ր\/󑶝דVY̓]A5i2J?^թ2zH|L[re%_epJȱPY,^[X	f>DdǕ\O9P݁E~s\k1ή3Η0Ҷ
]q0.gp,h>t
jլm'݃ȣ}ꁲ$.-%DFIP9*H%+D2'^ػ̽3Gٕ`	+ƻ({ t9ٚ;NBtd{dLO1W$&TluǤȇrC<o `P~|c]pk7hQ=7*s>R
/޼>Ay${D + g/Ham[rMåȁ.O7>E @Y_@iS6xc/歹P%CMEp=HމrS/Tk=Or-];Gv*Fa9pw,?M<b)L@8^'v15#452.K|sO?y&9ALCpVR"sil\yV/,,3r%Vj Q
]q.xH&MJgȟ,b$lqTgN~RWJsc{3
n0Ċn!!Թ_Pse=Ԓbo&~rk:J+-!NŴYsb!DusI/Uq*~g:!=GTٝ~UuMl|!z2OpϨ~u)
 "K53dP+bpBR{525hFBkXǜC>6zYtǉ׾('kKTy@y@M>(3vS⦸p3S :CXD-CKJZOv.G6ЦO1Yi6/1tiȃ
nx. vIúluq!RZ֊TPX2 -
N.&5Aܭ~mW[\9UV&wMUH#VoZ/dpFGd4MuArܡ)o2G!P,!e)$M̟

8ޑ|uLG<j w|(fǲd!@9@Q.$׫y=8n>K|}V&)7o׳~N1T4ܴhSzY)Fu,'4C\//
1^rzx6ovNP\,#]Re\Reiϭ@*T2arPcĂKзo5刵`>3UfWQVAѾƁKk߽t
win	m!04I.Fa,`xF<f	QVUQntXN=D!/$V)nt9<Q띸{B0ާ5j8ix\[[|NQGxҌzbk9ͯAZZ4.ڧ}1{m_WYgX"$@!%MCtHQbmOJh'Fh~}x.Žٻ]J 9

Q-u 6?	 L`L2&-l3gnW@[=`ƏͪUӖudb{+76wIg?'ǬJm)l8EՓQ#IF
oE	Р{i Ll76so}ei2@aX7%IYۼ!vpYCKoC{jM`X׈/^P3kKc'xC^*)ѼGw'ψuEJV&xVƺEjXphAMS5帵¶\&eVXfŕ&p6zgZMYhg61PMDF]B[
S֥U*;T[AYozdgZK2e3*7Gbw':pVM	
܋|:$BdL%Hvs|;/ԇS(Pl?|!hDDhߕ߫oĉ9F"܍;UefԥHy1~D	n%:uS]oKwU͎HNvnuڝnt5j!Aa}ǜ^y
 M	w*ez1K(zn
>VHlP6{ߒgkӊxC9^ëIC85893A	.݈ȇL;CZMnO<Q#'6$|:	OQ',Rfi-wm :fL<`(RZ[n{x{>ׇE#YcC0샨q=iܺM,#\V@
m:ִ3Ih'>2I@9K.RaeOEh:'Zm2TWهـXGwqhI1:*Ƽ!ݧnuЏ!+'`
eQv9HWNzv^pω︲$>0^w.
R\
+=TvKmȫl}3}P2'V ".ܒ6LmN(ַ9֚?ȘZ5BO[*-wAOvݪpxIJ.-iDDy5D|z	E-nS*e$ɾe/2Z5}pΖ窋f?&.߳Hd_Cn5֊kb@pn'Wh2jLvatp(Psl	yG`g_zαIP0X'b+4в/\tɚ5!K}	׸=¬uJv/Crlnur"Mo"h("X#{q2@<w}QfBLs%m:&~h mL$Sݟt]\4L崅a</gDFԋ(vqpQ0\Q&Ь&#1Ix5VO%.,ޢ.?{@0BXavcsU(`}ޣ&|eF_<.x}I)3DwyA^N.Ɯ-t[JBoK3KO qKi]	R)G"tK.PInC4js8ÄFEE^L4&Q62Ӊn8.)k/oW/`JΤCU͍c>DLj
%L[go?9-0+-ߓ>MaVxhɷo?sxxD75hV2ƝuqTaiOwaf$:&ݦD}G@WX/dXTփDecI*V!Ë;0v9tWO_dиDAg$i-<]S}vue3\eeS[Uy_oaI нD0(nv:p30ϯNuRXj1|ٗyUNT.V`#cSFٹɼq.uh:0u0;.?qjbM*6ST:qd	r>YΓ.w1cnlqķ@"}!GUV^O$j̉=x+Ig?a1猏|JDa;3 8](ֺ|GMd̓IZ؍p#|W.k˄ÌDi}EPV9k9s5kb+">^G-]xW^|JN.v[pkA &(c/``xiow^x1?
$ lx
LlO+"UnU2Wma%eAd$`E&ZfDPEk[,1<ۇstwQRgp7+37ƾcnoqݺgW!߮ojf,1X/>{O7ƹ34@GΙ'MbY|'azXIS/|}ŭ.[<uCz1@m¼(V	+Tݯd;l<vt¼
7 J189',3z7Fn\c3kRVqުpxgA+	RU~	A7.~$Zdz8LG @<&,C}})bN8H&]T9Vʗ_v\W8FaV/[5o~~9ĶvI̩@V5xfQX$V.;)xU޽;CD>|~ݣ\+i$<`~/O$0.
@|ʠX<2w2),
f2MS亰QH*V+INLv<9DGXA"	
ۓZz
E쯐8I	x«1 L!&z(|޾`wܡ/Aja64GA*07lQmLcԲ৏
X9A;D(XGnB{qN<]T*)z<;L܈P$O$|r#3fwJ^SLs/`檨a>%hH|Z11r`"ܨܐYeT08S3d,5'@̛QHU=9!7Bb+uZ˙e	Fe{Q԰aU&OӦd/Cj	dG~
_/@Q}=npTf:%=d͆{L;eYJa۩9&YXC.P N9ycn%bH3De~f xyy#lG&%;w1\QM^U+ ;
	pH_WHv<+#6j3ydp9Cܭ`Gv	ca^
*cp^QVCpmr?.b6 \ψ!oYR!Mg&GeK픭\ӯ
ůI{ҏ赻A `sr#2hdCH{:BD7vDy
/e1ypiIpI&c1{;\"\"9ZXXUʭgP_Oq?waO).<ᲓbE$E4rgCHl{:8d9)E#
y/~%a"qTtB'{`9C`AsD/n?"3ٻh9t\Us=.Yw;q5RC##{28OY~-.-W^Ȋ/u8? r,]SnME>T\ %dqcA".w.F,{z-ս~U`
u{sKnpV5S,|{hr$nyrv5:]n\v?:-9xTq۞Pj5ԅN~ha%爃ɟh.
y%X]+Wr`g#0P(\\#ql r,;^q5e!"twcmQ2TgNSK	֑XF:TSH
 m3GN)8>b+4KՑ/m-/]@ܤd^-*`EԂ[P%vg|{Tư")pJc%5< KVOQ@A|~/0.r+!!3/s\p;7i)lCXז8;T^ 5
3CxgM}

0djW|o	%Wb.I	O保=G-oIXު_	ǉՄ+dL`M*Q}ʪ17|_{d?KBx8?"Xk;[c.*zf\t_CG!C*erxC<A#tʈqaʁUMT"*.yHO^|ƸVIvمdEs '*63n{|>P+of.mm<>:3k&.;g@lqqb)ضLק^^C;G;ML1(2[d^I>bYMhߖrIiHTy(Yp;1jtVEauDhhH(S_j}ٚMRKmJX<Fv@xh{|0G"?Xgxee7@PBu#F4~s#LTΈI7ūF=dr<VqF`&J\CI:4jʫ+5<{>ٳr^D[1w;pG^NX-
u1TwKg[eEeXei?.zY@qNƛяL BY8ѬKLUY:3*A9	kGA10rd+aA* d@1ES&NCPp(ՒKhu,4'_ߚn+(?bb=~3]uoz#XUt]{Q΄Vx!
=}E`E.
bC\0q_^>N(1 gɃDE?!^k,UH̭ˇսBGPKKeoߊHEMTIn?eMEE={25(mvES}苋cS2,ukŨB	@!75V܀Cd"J=X'j&r50TN*'\-gQQWPw~ǇpV(}'OUUf-hܒ} gi65!R/kZ%};+NƷ-35ظnXVchG8JeL%q1O4<{1EBX,F9ݣP§)"6 3[JNMQ_]6g<鳛-}Q7,,u  vQ03 _bcZ#-Ew|x[ׅ͟UcʕZm@~i hסq^3PDpѝ jPd +c{T;Z<X+[M~ZP'rr-BHρj!*nswg
O&F3@}0
+jl$dCdzۇT_5ϛJw2~z=
yKqά>:Vh+gՖ}ėV܎4f˸|"2+!'3Ic"$_'ח*Mʪ DEո6Ki
<Q5剣
42\OvݨkvmM׌+ WFXy	m"cUdw'2M^qz<\y)I3Ve伂݋krt$tQ~9hGaب:r{Ō^C6\d>h7	Фȿ- íIz*KK☍.&<jF"vK.IKG'DϞ>x~7S8W=~Wαe+wZv.L	yNumq#M{.4.[D56.XJ}r;M}yHZڦ/\%_#a T;"W(fM*qrwl-.nvlrQ`lc
T+9Ոќ1
3nn5 Wڄ>99k`|%A$@bf]%1Ȳˇ/_<VЗW!6/v<uv'rx;br_&vv'/R
ߒW$m`F-ĥf /}v{I-_nY4T~I\u\Ɲ.v̗--c6%22efZ2adixn_#.}!]В Bae1vm\,?{yG^ɣ7:*ExI, Ӥ;by{.myͲb"R<n˨hh9j8(9	l[>C@XNo>g l򗑭N%]9t r$nɮg(Yy&A>AQ*
2ZWKB
/FwHsQhŝF!C2rC/4P}2i)_5]+O4f`,
\679^>eu[uTf!m5tjqs_ddʠ7]N竻[E8k	:k]MZj֨ꨢӗ?~ !xw-uӯfݎ$׾^AbPqRsK?Gr^;c?7)ż'a"fZ]\ˁ/ks)fek|H`=CPI6/%]7U
SɎ}w3c64̘J{ĝTUkq#rX^Az(Q;'Z	_$q3Q/FձPK_g|/
a!	u؋@:O}~
=`PG<!6,+Ʒ5?q@)1sFz)"x&\J Bf,X.Cz iq᳒_{բ0V;ܳ&fIƔUAp3ztp>{ɀ[B&yܭHco!'.fZ% UIdg")OZjTi&F3}|P'#eE
^CzdB~Y*.wW!%MC_)v"x#.bZ؇a_QC
HSe:je.10QV.Q݂P+ROȎ'A`ZiT|~y@{?:Lwrk-A&uuOIdqV0,4*;Uh:"p*$~xXN'ʱ&CULN$`m:BԚ{jG̓@{r0bݎ<{nb`Rt?ڑ@R
8wp&hŁr|t18rAa'H	riB9rŀD;'yScDizz_B A}@U/G#SYC*y_&~_ŖpbFYrP]8㏨'ʰҸoxVO997`NNf*vAsȦ	}
__)X>QFWZ:Fo̢8b:WIn"
ZijFURmùh_[.I	m?<~WM>Y
2B1j8VZlu'k@CYoּ%~~CX,6I)W(aERѨ
lcmDaGnbϳkW5ߤwBFiӱJ*J1ES- lM|~)	}𰍴X	lDJ cjG;Q-
1mR =-CѠl0bů`5Ђޝez3	b.ϧR.|Ö1Y~$Y6Xm䍘Ѻ "}cq%LyUd"&^
成v**^-"V* t{XT>njP7$`&T1гHܗXK6hVOU98=}ѽ	4NGE1\KǡSTgR	E&߱2$,?z]ysvwOF.Z_ʞʘM=*d 3!mXbyVnc&he?ڽF񊻬{퓞91D3_*=n\ggJ뾠	ˑTke6X"݅<w<˞ٵ|pVv -i	 "ْrCfaD?W S*LOA|E1%6wZ*j$T%=5,zߕ:i#JvE-w~xo)J.j ~tc
UR$$*LUhŧNkkoXk."y]^1*EYj	{y6I{WU{hw--HAj
'x8"	@ifoae˫jTW} :	 ~y&rУ$wn)W9L7yTWp)JI'yZje}/xc* #|)E#:_4pdnڵ	1VâUJTaW`vR±	Qo IP;Cˊ%}*"Eݥ1(R7ʋKɸIGֺ\R#U`ЋZDy}#"*JU
cUg|9(>d>ciBUPtrͻA` tmw>5Xg
x6ab~M74!/˯?+&[]~OP j_h_%wb7(Te{cÂl9w3;CJqۂB}\HQ"ɶoa|N:z
CW{"M5DJTi9QCHQLU1,{$Sy{"Xq?[|t+n!$Xva&ǭP!K-VRwǴzE='ԈХ2UxmZQ31\[p1wNDf'#7~.IKzym干hE?3ʦ$-?V)a6LпNKU
W* B*#Gw?Mrm=?>̾	Ǒ
;*poJ0,_練&foThڊRcUrqykw_5GϬDd-goiUOꍘ8Œ8o$hGbߋ<c:/S}n$qm'RI]uiR./RKTFϹB݌aSSLE.Y~""L<(eT>ݬ'?5xx(E"`LY\>fRQr \v9锲FdޕOg+*31^]q{/ͥR<WۓH'
Mdk 
t䆬<R}i<ߑEzQ+ˎ
GA]Ssho<x~Ua廬EdcANM<ΓӯeYMCE?7&@+Xuk*?o?2A;`}u[P{"V a5oOekEpȰxN:#hTêRwz"ݪ=䀹s84[@b![ǯmɷȅAXf|pўmD;N(H4-5wK2uL4YC
,	2)SHj;Ei<4e 2w
b"D?V/Œʸ(nXjq"<;toҀ-eKexɶBAK!J[}x 39M/;oV!2HN`wzG$EmfZB[ծ&vF%p':=j9V6e֧iqJJ2e48=6dT2&^VwjSE=PG/|Ę)al9y}/UmCtxXm-{Rm. p.p2pMNrܟLȯ<AjvM,UM)P璌%_e2$e{e\Z٥H_z`R+LokR͡Aw\Wxx^dhDN9ov9/
<<`sPɉk#;'؍*HKǻk-PZX<b*hɎoW!N'@ܱ*Im0%撥(PqqgPrAoa
VVN;mz]1TD|f\f͑ۋ{f_ u_kɚ>ʆ V[p
Sd"ta nXb]TLi%b==	'<[xNi&	
th㲠 p[DmËj;6Q$0P"hb|$I*Y|n6-zZV䳿Do<
!ʺ&}Q~ADȠWL3V}QߋdG"1D -Ȑ	ͽik7Z^Zɮz{P,W܄73+u*2Ԫ
TtlJhs )<]oVWS_=e5΍.) 3ް>"oȰ=-n\邡e}+q\UӸO/5uPӤ13=
&5Iocmj1)툂$ >[w
;/=6&ѲN#7@/ڇōE],EinjZgu2)EHgPUt	9R8 
U>mUb*^*=t?Дn	)3N?=U-r^+TIf#>-+%E7Nqf?EN	hZ$@TdLJn_>7ˤ'Ft,l<+b\T{ɹt 4DQ$BrH~lM\H2!@gcdA LH0.b 8q0g/ӅUIKMDu`$n<,yy3oݭ8.jy
<kQU,_08А`_Mz4-
>N<{Hҳ:II֪kԴ[ds9~Bf>loPG&V/B<^/d+He@y/>7aIxv9GQ.$kѶ$:<0y:@^sWo@n3<buc;?{|[LW[ 
Rb+0\ܦ[AD2O^|o0tC
zm_0t?"`>~iUJ*NWrh"f<VG_0^n RTH},yK	V8cܕ0q݃giԼ'9O< BxR(.F{v wrQG}gIoG\Uv$lXW]caW{J8>lHk.1w|RҚwŴK½&qq҃|&55q N.!,40#j-+0Dބ.I@ON`Eq@ꨑ?&&MJuҩiD-jFq %Ϫ螆B£2W6Nzܭ>z+sVnrR
RP:𲋔S;,Eu#Rk|X:Ld9
=(Ox,(d*)1gp$Bl+TV5&ۧBȈ},)hnUYU"Bu|7JVZ{^pa^~W'"#`=jY=b1@KJ5B$/]4BpK\GD8\2]$ҫa*<y4cbA)h.%Ι;gF2`r6(4;c'mTL!Ug2vM)s״Qև~dIDwp{CQ+r.C$47$;VbUU4jx|1oIUc[R02|Mcaۓ
_F
K4e,LC}n*Gd*%'.O}$jh=byԈ#4FvjH7n5APԩ*y>PLBT՛qNb{ɾ|cDA
ʢxYqNǃqq3/ȵ/BU}{atFIcQR41.
N/FOP3/ӡ_=<}M߃c
Q "cwaIiN6eX|Hi;V%tfފN@lvfa6jU+bYsWɊ%)o_Gy6MxjSE4f4yQ_wf?|)Rħc_.E)Z)AYs|1(w|{ߐa_;o+eR-&ArͳA
zv.	j<+1 2HuaAW/EwTwR\rJZBMZ+QJ{4xF
Df5%INhT(>zܗ0<^=}H**RB"zA9rĻs߾mͭ@B$g.O,Za\9'O3r9ae#ˣm0
3R@2u_=l+\*QFgvx{w{FA|6)JA*$*ˎLNk8bԩjL*f}V(M]h)Obw@ckd/k++S R(2cl|D3fUUUO"9`r<jT =ZADMI="Qr -U!hK)\>إ_j
5]n]U "R/hŴ(o<~sk"EsOm^=b
A7y
t47 G5-0?⛆!dr[hʫ[mT%!B<r1ų30;Rhx;6{WátW3րaæyKP+nFW(PjkgI1-OִQcx?f -D|jXUW+-Nre*}ʒv06=	#/`Ɔ	DxIBR΀g˧.2,ݸhZhKX3qO54!> {d{U'ņ04ҧ)&Rat/j@{ZJy3[./0BS/_|T"nBH!"1nTA`2R
vO7kw2F2z([H>(j1}-8"!*лdPMNEnG:RvTԇ-q+`rو\;),JHqow~J]{fcsS<¬,TB:E7M]QG|#|$z=l DUvݐoKlࢩ)~{E񙏱C)ZhyѮ8-N3aIcWAYv"Wx9^@tvw] T4Y8tyfI.V^Sͅǅ,5}/@I	E%݈ꯗfn/Z@6X>QɅ$7.M
%<%AA{ݕYT?+-8v	(:o6.܈IJG,Xc2q"u'gnTϹ׀}1dIbuˍ-{r	oH{ <\-%ԧi-CQ$B*P剩"߱W7spM>qK䱋;<6u{w&˓"CKa҅?^Y6RNuO)3^bD55wB|(7yrFP%u!EUM W8hZ%81*AbK1HDT1uð.aG^.WY;<").(ЙZ[^ƷֆqeOm}8$C"V%ǆ>	ײEj
ItYCCM]sj@zN^(gP
JӸ3mzQiWb@j!߽ҥ%Czm~Kmi@?c%F tf*&|@)I7 >-ganA5:]z΢JƸ6|[9GVkIvl$<c-Ү-n.9nr'ZN5KyujE?̙U--rGم[Yh.;ؐlxܷ
k:|E걗XI4X*N0vã#>]> bxをU1sIN
+*Oˇ^WTRٕ7$JjP0E1[)
gf Q|),ȝ	b7zљ6.u0qsIFr	V "XK98qywX "A;p'Y!t\r h+E%9
]$&c`k/TKcBURZ]n !
ϲ;SNrbB^ؖ0>	^A)9#!_wV@ߵT9K[+Сq(!@H'tq
䚗M~ۄ@YRTG]{:tqh5m O'<DjTbX5h[X~rɾIuя=K8ۏm??}Yw1R&1'3i
Lv磟!6EUQ}@ீR<Wi>+
o /,95ݐhHp~p?b9cb>>-38[}#04@s7,ܯP_Г
UP:BBӎ0o&";jqہ"O< .v]ho|ȩ
1~F_S(63~mtã
>FtXG!gFsꬬe}w0qviݑ*VkDoᥤmM%}i%G4l]pNyF)\OC_Px8Wj#{G݊0i$E9yT {/"PWuwSopnP	|`ڵJj؈t`]H/_%*=[ jNaQ~oV}v`ʮ?r\2nhjt
WUx7VBQ/ukp]ZU}rp\S,ɚX
Cڍ	q3'u>5XlJU?ٯ7}XB~
ݨASf~ɡ( tKM'FCD2ˡlЭW&~$H+c{ 髀a:-ݟ_ΉaK@y.PN'"lFxhnҚB'c`wۇU
Xǯ8zkOE(CP8UX9D(b}/vKgF]nU?)SAQ!	.T8[},Cb!c_#>i>.n0Aea>jsOʲoUޮ6(#&pٞ?)Z$mVA؀?G3.ЮsIkruAcA8!(^λngԃt*QSP[l=C]{HS<1\X|bQeM3cA4m5U&EzH\M1c3>T/m+[{t{ZT(lڶGEGZqeMNf=:|c̏uKqge<5jnܓo]{¡e}sOWMu#]brP
uϧAGWQ"YUnK%֭EnNI-@!Itu7Xk#T39yψZrsڰָڅd=abGn
 zE1h.GnG!ΔO =7\Y7|~wƂ
Dˮ:
jGNKx{^V5V3nP֔95;^\GINyXP:	pm'=rn,)n|{*N-/2p	,!ǲi^;Erj a9vv
oe,n޻;:88l5uU	B%IqfHXAmPqpctn^GýLIWa=M|W ?VMu$d7Z%7˯<ӱ]s`E8Aa
NnIJxHMM;b3x=-o4|ϛ
O:Xϋj>@>	J*XR`c!g}`S;>"HgK?o{Z!3/BpalaqV,އnٺυID2~Dy~f,ZDPw;F'TTCJ)7z
2r.bQ{bFr9(Soo_aZ'p%\yZ6Bm0	u>qlNC{ȓק",mEAρ_LQ:ᄁ=5vWĖI|
>C9G4'p
{ג^uKYhT/DXr3:  adCAHPMf&dؗ>$RwM~0	偿d_vTQAQo_~}5A1Y^黪հx<yqlB&T-BpJ2̂9w-EAIG36/_)IGT%S^z0m'yK`^*:H1Xd
f]+yTq- %
ĺU%!I{hhdF.f$,RGRvSVqKԆ2i7Uj;UpeDv'X,9}
+AZs3 &&'ל03Zg	>h#a!\c(ol_oe!%Ѱh2ɚ=%I0RśM`Khbĥf]*۬ZnD5p9GZZ|[4X֋&'TU*L,c[' ׭|?Bsz"DB)M&;l3Ƞp/3ŕ![ۋwţ7/
]eۯO!4BiɨyխmS6smĬeC<{2zۮ_YSn@I鮏tW9SKJGawimYt'Bc6Ŵr7pLj_u=WH
&Z$W?w]!Hzڗ?p' Eb`}t~t>&Oc$ϟ~Z9
C xx\-4%lq(iEf!f6*JRF%avH5f}: )UH_H<mS/J )B+		9<IyJwpi]̠ujPA}b/qO439:ʷoN6Kms.Jc	ǕBQ &/&.}*'H#:y)KlV>5%xrvjQ"V{	&LpED/_gRo }ssH
qo"5\9E=XH-h>:
ײ
}?|tqhU\cv>z!Bt1
DZy0I_HEJ8
)@S@<m>΃&)|_L!8;1d[D>7k-ضќv};z;,^` KauMz9	lhbFC=P&c6YIaҼTU&چ#mLs`.5n\A{ڎ=qcڹBk[pif؊eϪq~%%Gx1Cgua;+slPm&HOߣ<ȍT;<ID
7k@m1t/nV_KvZeu^壌lGc	[d*.z4Q~x.FnO?%6w;:
tN89%!9>m[m:wLV&fX5GnZnprͮ vݢ{`Lև9)dQ=x"p.OG-,yË3v	};4\BO&<:O+NE,fp_rOs;;^V$?
UkimIF{?GV=`d2RG;Ȏᦿ]^?~sJvrRI77g"OCr(g+7Zis6F?7W	Bj>pw̜JeD: ]1M
T-Cٹ (<Go_&k+>ld3HJDx/߼S:
'ۮ>]2QBKȲ@v=AD^9xˣr\ژa۶V.l!̢9%E%SVdb|K`,T<ufRj<1wW\dt4s1%Ƣbfb0{-1ˆka^waC躬}N\V(g~XX2X.ڧ%pdNKc͌Qm(Ma"-wzet`
~A&b}x 7s'O_},lv1F6S),qH xXzត
V=JR{Z~Ol2%.R@!4J0Mشa*#S{n@Ǣ׏@ljSB>'d	_+}`q.krӐp&6avq(XXRIUr<Hぶ)dċIGUUUeQ>)vɎz;6v
q<tUf$Ǆ zt*'s8D(Sɜ&]OO;o'|Uy},ؾL&4K:({qR)cIz5Vx/tV|˱B$Z'T\|zӎFرxi0FnKW}ú/[i'՝d*j@Z( (HXxo"E|hjcxaSIY^LoWn2`f!Ǯ#{]b[䱱l`SDPOf?f1atq[uJw9h\.~Y8R	osW#f.$qC4gX;ɕwķ2P8<N1\@	ր*U"NO3QM"k
qӑoDވ,l*g2
c$*
 
g)X%wfsx>dC'[jADxTN-Ak5C9YG3DcVCcף|bg/߾>v&A^/qqW|U<ܷ|
_=y<W%+ٹ#WfL共lYjo,яyV%Ȭ-F~@ae_tǲ̊(uĝqNenRG dS	kdz?<i%*ZՑ@HaEVVxEd <=0!QI}QMB@]]ouʹ8m$46P?{S2ض5\@ufh} =5C;E t.2)&7qɩo߿߳[@4MLV>CdB'bc{޲̭	UXFH"QEm%~I95"z!<&Q5kc'o|%
<ke!erW2/8ayfXpEU&V0xppP߄Nk'{&6%N
aȗG4T<$eGQ.~@Fyq6idfC2ȷ^|ÃD6P3|yG9,#E(!x9C3q.Q5l~(?nzB"EΚnNH\vx%9Z|S3ݨx9`ݣiv#VyaH<xmL6GairqS	H;'8@B
L$J\]60#K0KXW
|>QJueucӱ\VG7b/ɟG[^)[{ޔ'7뛌CdSH1#tu\^ʍi!%ߗG1#(Xm9]f;;xRrkCQ|R4Aӂ'@*0\Ɯ%Ew KEbpSeoA:@8K 93/?PɾpL)
J,h=Fz-М1L#~`(Q Amx*lĖyA:x2f=^9`0\{*=)QQ:hHL6dON1_[W迣<M-O 5XʖeEj!z5Vz~Qŀ|+Q]ɰ!c*=1Tv4q;N
{=?ʴpISTEw̓"5#.}2ࣂ W%9{(~v5<ɇoʁ
i^]^Hn7h_<NWp6$@7r>Qp#8s-'<넓RBy3C"BWOvҷAKG߿kWSs'{^wǗ^Q/O%/3oORƽ\<	>(WHte_=>G}
=%/ɎJN#9̃:"ӡ$|NDGjf~ڒQuv܍K<ҍ^ӗ̽q#J\V
V^YB^V.6(>4ʄ=QRm\$VR7L$eF<zk)Ex1(6ڤ\n%Cc=Ǻ녿$ib*q'>w7P [Z%j5S&;wYX6Z`oMX?KKҁ64R*{;(0/@sV؈ĳ""L`taϘumJv}1(s[NLV(ju2].,u'x&q>iUomtMl:'뛅li)gJp7"GF E,E, r')Nva_rLV0U(X"P"OU^x$Ӂaq3н)o	f=ۜЈg6:W*eK|/4+7>!xd	ϟlṨL-ʑ
D"[1O_?G	++̙װu>#[>G>y@'͟^#9ڧemh,lB&6zC@L,XpbhB$&.*x:d-b^
{fNgR~QRdxeޒ~֊w=vt%kWnyxG_r0sࣞ?[ybytsSC[wUV눃zg*q`{mmJI7Q:KV_6ې\-9Υ5x6AApݢ螱ߪ_
ݖȓNUΰ'Wen+Sw$~oӣ2TBRG%}[g"3\!n0'tO>?I|y56
m8bTGJb@Y)gCۜPf,׿{2'sGNvI2MBBA%aDg@S]g5ؖ|3imCDidbYQ@&2mQ[%Wtg6OBa0qEzіpAT<fX'푕e|$qNjilN< g@5UP8IeDYw*t݁YIGԚJE-p|Z~! \lJ5:2<]H-
&΃5
_U7`+˷"vMop)LɑF#l
$p!ZeӢY2sjƯC0j/#g,@t+ߣɭ'CpGI
IA>Kі oER8MFq:j
ZJ"EQ̐8tδAvG-Ȯ~e&9cL?рiqίU_|M
u-@*D#q񅆇	ɓ'(&g=9Gm`!U]M/ఒ
8@@XDE?/>_}U d2_LpbT
o;0o4`^OE4Z=h̠m97[`Y;&Ԍ1#	9%s;=hܫ0	0
(\N'\H`O.Y[XeA UjXEEǦog͝	>%$<US_Q&i@Y$
ޑn:.~G#}x<̘뛄̓˪|
y
HX.Y\́y@}cJvnԟr
oTP+YVMל9gV"!L;@>N;[OV`2 !*FC+jZ>,'+)
[t~?TAI3U5,mo_bޑ[S<K\"Xx?y2J7?5:LiU>RCmUtIT O]_<cĻOKS8OvD3nipK/:`@?!
.jE	HʇRɚ.vz^aG4ozL2gRČw
5mbԆC?]"X	҉¶أpQZ>7GV#}RTa(^>yx/\Uyٟ`B4g@
w@OH12nH503/nٹ?_wcgz +-Ȣ}x%tЩUO'gW;*`!rN ">JY	;ROM^RS9c~1o7xȺt2i{$Gyd^R0Z2 Zސ~Obb魫ĆviXݜxDbUT(c	ob0알FhZwD}@%LU53jqoz_ܛS^x-I﷙p_LsV\@9E9PvS/B:ۇ_zy~buq$[v_r_^GZ"_rƎe^9Lp⽑|	_V-?G uxVIPĐ4Q7^ڹJ&v@D)wRQ"a[eCgX0Os01^w'h4CM)$󠏨Mޢ.o5ͰJ"cٽ`z@`)-}}OO|D5%9iLEG)b:͌Ŷ{9
5*>Qwj;!eմ{7RM:!~|{_pWs)W!=!Iўkn׊E+e5BI5xH/U+Pm=mJp<i	G1-p;/#dcp{t3x6,kxUy"g,L	mVpdXUE";;uxl
JNR?RAsE"g/'2R4RPtB@ٱ~E?+"V?wSg0X°CJYd|{*au!FZux7G:R!pM7pd'4b2)R1YxŁEd7Sl;V&ڬW0% -z߳`N\xB(Kңa|sYh5oü2jڍPѲDR=,(mDUqQQi6L'Rwxtl<Ss+u7]HX޷1\DWb	Cr.5r%=מV0Lٱ	kYʣŀ!1Oķfm
y8m<mmD5}0Q/XNK@WJY[.4 ɟh̺.>F,P.LwAgJ).jvqIј+Y/'Ws_dC$9?
q}S0Uٰ3YO;ٳ@X,q}<5Nm/AzZ^*lmzrɯ	b2x?uwiBl,3n(_	!SZf(K͸oTBXbM5>>y^U@R[g3	%R(>E<uPLg,~r#IMUcS1δckX50[˞۳dN+D\f˂;݀|a׈B,fp"ƌ&ӟ*&Ђ7|u৩5zejv,!7܈FOrW`ṣL[V3}|Lԗ4L& Юh+m1^:B1}_{\Wn~!\JUJOWvKm^Yt胵zx9]#__IW/97|=sɷ0:$br)~&!Qe>sF-w`5}7Y@,j߉%W|ϔ`U"WQbjYU"V~)ͱ;Qa=3ޤD;p;t#U%@N\c4CMSLIɐdaIC@Tao:b0eIN$T ?+kRkHed!v|y$3EWAdu^4Y*Q(؁0Y87;$?Gծ%Xq̑at"
k>J6ϩ,\OrO{UErH&#τ2Uޅ1a,yZW@Iƪ22Bqð58dSOKe-HR%!
 C< 1lvg0 \%=KM)m̧oOo=t)TNnZeyV+x4+O?*@,kD.#bVJi_R~&)-#Is)a!۬V+LXnhwiˮ"g_XiEM\j3,ɢ"50$g7lpqz@ލ)(4HZS)sop὿^#A:_%ʁpJL>24<w
qMցTbRI%a :!)T$Y%9
vf79ud2u{xJmkӎ ٙ6	TȰ<*#|ehPnG9C&CB!7Myޮ>-؂ѺiT?ppp\}c(tq<GrHI$7+ËZ0KZ?e>DPژʛ( ٗ'
X(1cNy;w?SE/c`G<آf ¢)wގ}fwXٚ$	YI%ןQmUs/E,o3ј6)?{nDyHB̹A}>Λ9VP:"
FG!?
yd~!S4N
F'7w75+'ٕ2ּbw4x@vjWAfZQƵHDլY;%9*0+,&Z+udUE8\O
06#~m|K'Vf.t{|c+V9z19v42JZ"RMP䳦2&Djc9UӲ&!0 ){D nl&xY3a|ىxFy>jyً߱q%-lbr	b%ez4P;N[ЕPUa2f](B/
p9K*_ԍ:HMo*;hוz0gN?a객,CBMofyǱִAR=Ҁfڈt)/v>7a`5(wy0Iݲް^eΡli>%]Qi@Ozڭb?Pf,|
At55r:sR2z5nޅ.#al&؇AhsYdEK|:ttL zލ80nŽʅetNظo.G
uly%rkA,F`HitP$ 1	ݮ&|_eW#)* JYK~>p(UKce͋^SV%3WjZ02Cjoxth74:/=7l'dKŷϟכ~XvuZ]$i.'D/9KSQeiP85jOŵHjƂOm9  PI^Y(gt:m/rtD9|\hysߧ<2
Rq	7   $m)L#PSZި[3uw$8EўN~^Zci5b鹪QX)&ͬ:Z#_ĸVS%y.gPҩQGv!$pY"~q}7OM
W\0bowшR86i]uĽ_	"Wu)=8NBO%+\Rkȓ:vbGb#FrWŉֻKxc{*^KEG.O"b
^֍Yuw7[NGi\D95=fݻ2k./*)0dJF0Ft=wI$V:L&:;Tx"R %9sۻ.$QhvpNw
L)3Q iݨcJe0:L#K8ȡ4$skK}Ox$mJfK z|vӋ<,>05
Ћ[3 j]TZ!{"A
jBֳiryΙ̎òO{(MKѾ@~Wٓ8RZކScެ9*ކl%nT#wAc1x7BMJů**+1\ono Z<?u/)b#q~VŕO̍g.|uWgTw Lc$L/j+P/eT<#T
Or<p(HFKa{.YqIi׶k: e6^ϊ_CD|Úrք	A|@ז:=lf[]!wPLXߐ)	4Q	@m)ĸ$W˗*RLEsoVf
+;''	>_P8<?,G}W	4CXh)̕\kiBeٹv>y(
c0>h4]qRaQ{*YŻjeIl5$^\P$va6<[Xta׼L!}|
^/'i^N$	M饡D솅f
t^Sڝ3sn=
զj?_<gj.#Ֆ&8
QK%FŒ$u3o{\e1Z@n&M/{;GLm6PZZD9xZ/8TADإ*pa$d]ᏆȆjªXpź޸8!iQ}
a0e9)iaB2ilD#gZ)L[ԯJpΩRq<Ne7x/ZnbxUzj]_Ģd|X$L^} QPo`,(qfǍ/
ECpg`Ӕod81Dڇsf^IA'Wk!@fq= 8]vfՕdX^`7a|iNIG>N4)u"m '
Ң]M:&X-I,!Wr3<T31fCbDc}zWB,:!'2c"g9x̿*T
Q|:p_<$#Q`W)H"~f5}7R7υ'ObV;/>w.HTMEG1K!7f(y`U3fG@kJNjQ)G3PN,rw/;sJ+ɬB7c7^Ët'ZY\ߕexGe.^A$Ppc(6,^As/>LEK:*/7+:H9{t}$F),)xTCOá& qThJN['{=By
ݴ=
GA˾I[V:nǑ}Xg~昒cNjXDz}U.u69pxƯoE>'EE)0k@F{FJw?7Vھ!\hB乊&6*8k=sfs> <`}
ἡҪ.0*Z+EpE<_)(7*;ld2jbg)_ک\	@:EG	&d,o K/GexZ}?Q8s
S@,#5ETkEZT_6\-qh	+ܸ\/ї冐
0NlajuSXSl6vWځ&Q$7X&2,oclWTZr{s\<UtqV)ΒpXF-o(zy谥IYA[T덶uYc~MK4/W,*X=u}S5_40GӇ)2Fn5$ћPBbffr?`IY.cF$B.UEz
A&Va.SɅD@ᡡ)X"LIΤo.sPKx0 8v|NymUeFKR.U^XQ1z>G#Zx}`EnvU6--|H,@!}x/t!ȹO݋kkQ.+$s]N{65.*F֍TF̮[+UYmIä)&RL2'B`$f'JXNkp^"Y&N7Owao/}}
b\}ӄa#r!egK'3>rvZ5ΙeDV]$+`&Awb`3xfk[N߁S3%"Igi	תx$pe+eF.=0+l
$, $O,m`:S0{zmKr&y!(hو[u{'_Ś*grvlxFTzeXcǫjկOEp5+;]Gus+

{E` ]!˄vn? սeQsoU41	w\;|s5҅~_NxHNQaaDـJk)+g=hqbb.qЎOT14ˑx!jhܣ~ӑ{l ̤ ߛtA<8@wx
 ʒbBQ#|"=zZ,$u5xwcw!<{ۮ9kSj!wsebHէ{RI:h
M$oV'@O
3
Ϭ7I>ڻy]u?Z8֟y/Y:(#
W%55hfq)Wlyz~5RRO7i?J}6x9F@|5)
8uwDIQ:bov;u)^A5ڮk&5F;q#YTؤ[o[\-%z+i@):6(`X~{{&(|ϡU<iwH0ZL_Md.--2Hëuz}oݷu] ebt%"EgOp8IajFO1p^XYQ
c~iH-|GB}"qx6.3`wn92uNۚ07Gh:ls J3__3RnBK/c-Q}ݑ@eu#an*RĜʙ6CgMZʚum̗'iv?w޿w7Mi_4ɣP뜲jYX;N|M}6}Nam'P*U>ABjg#rNJ*ƔU5p䠲h"@cEP_>/K,qr.!+)\&X5$rs*1zƒͩ6v7%ڹ=ÓT0G9n
\k:,ǒDil.
K谄[ZȊx&gpQ.V.gٳ	d-'oI(kD*j_+TB$ֻT{!lgkcҎDUgŜBw4-W?MQt5$W%mSCUioN䫦	AF+Kt3<:赖 ,E6o!x=+~}-\LDΊjh(f;tcU'F(i2qQڪzhB;%;GV
<%{]AdlDMvCdCq0
8ɳ0rmbiq&,
;@sJ#Ae__(=^KX/qY,#7<7Q[VB#L`s9jo46ͮgs扞n884o!`)L|n
<­ƀ¼:TծxВ9ɥ?`6);QӶ:dH/S۩MHDW#IKUBXjHWՔ
Fᾗ2,w?Wbӱ'^M7\Yn
;yuW\_czX)6qZ}mc	V(*%ҰH}rRؗ''9B6VL&:He`SEܑ7Gq`MAFK:$y23@!F(ԼvvaI 0Ȧ2"
PJ B!FG7,G9#~ɪ/5VR9zi}M/_Em^B'EǲNh=|*Ƒm뾳@bMX]A*)ZӟIA{zT{-=XP4a6?[VL+3u:E*kG)aɴqaF-r$D2pXcM-c8;҈Xϗ36{ۍ/$6To?&BCD)vo]t^ZS`|pZN*$嬓\ry+&QA^Ndĺ)XMzi
W`};mCE.$]Qz?ß);nfjR({TsG	 dޜnv,
.KX	bb qutE&_񽅢TsJO|	m}].$] 拲x?xԤ$%ϸ&1$tI턫|wړ\6pRG5:wKb
mRKPG7lj`dՊK c%}^s	?[",볤#M
&̠Pm럱vUn?i=j*OPַM_Y?,W"sՑ2
@mbM1Id$wOs0Eژt6b@04 qPjv8T*]mwރ_wlmۯBVdG :||3c+%ØR&w~Ga$(GUXn=<){6Uজi/Jt̳W=oׂ7Nũr)SkT	œU|Gǣ+7<:'
_fb-&Dsۤ*;:s0.9
bxm^%Kn>'vND;׀ٚԲNDuo"QRuUq0grTK˒:į2Ft>)P9jC̋!.3L^D<wY-MFw#PK:?*aϏeqt`5xHdX2g`!;B}XD%0BMkLtG$`]G3~[\\5;p9tY ҈vTzΧQa|7ypIa#@ä^O}jLq\Jc%QzR$u'%fU.;&JB4m횟s-LKs\/\Fº#ˬ秞ᦲO7I5ƁvG`4SN@J9S"sM!Q	,Ȧ[Z';G	Sm=^YF}+9#"< ז 	$8}U҈"4faEJ
KH=>^EPY!g-|.C.w}|}y>W}J4{hr%xdJV=	1a14ME}O1
*C)ַ~xԇO*A֊I Ick+w	(NF*)a:Z6IOV1Dzo[3FOcKӋޝ2_Z\;xr+ތkE%͹ԘUtue3~|afZagk@\cr#'w,4>fN$z?){hRdV]"[S]u+*<];EX/dn /b0OA5hMDɤ|/	C
>?F?>O>&xչRڈ~גD#d9F\Ua%b9vYD%I+N)M/.CH$J9e
F[Ç.w]e
s/m\޻0{3I|:RUTe=L7|?L6RT+}Asb
Ib]X5]_{)CL3yދ\fXZj`$, 2XL[
nnmhSO|wF4Y_ ^Oj-l6oñnGK/+Q?Obo?hʱ<ځ
)	)gV4/(m}LA.QZ@C1#RocGFQ3	xQ=bMDA&,o6xw	ɂflƴdLn$yN'f!8C0#gn*9ʗl{Op*bw_?&[ׇv>uiR2<dYw󶑅,-̈́H3^Gx2D=!?بG٥tmMv}((eo/Gl^S#ar=::, h
tU-gWGL10D.o3RX*s,W,oF)F#vz
ڢݰ%[L_m!+ r-VR[xI#
L)x.@z`@d'0#MI*!S{S7*,^CzP/Gt(eb
v[1Ļ1:"lkZ<%ʊ<ߡ%K?V}D?)hTrQǷ<g%.rHz"1Y~OH8}哗:}x7瓫5Ƈ
SE2N4V17;_AX
x@?2QnRk(?m0YV2%<|k="DRlE)l5
S#qᶑ%NʶP[kL .!^D~4cʗo%(FIw	5%m0	S7>.X9%kgk]p6UL1HyD1ye{\
*UmߝK4ތJ7U-UOKRmޞ>1_T>{ܕ$j-F=27-arA5xV$ꕸS^>oFf-I
q	SRa0Q21AJ/L2E)MNgW	Kr!ytzG]a^4WR}&LH#;%2aQ+kC6B>6͌hAFr>FRx1=Hdĕn7;ƴT+6237Xh|zVG$\xK1csT᳼7.@r!ZÛvSLMDHYF08 -J)`g30zا5]JcW+4x hiȸ1^YVDUb=<Zrc*gk&5(Ԅo׌;{.L|
ܰx )KԪׄC1}zH3c'
9F`+OyanD`Q8cco2ȩau|cxa]X^؛FmG#ZuX
O/|'xŐsZi"z9HwwwX5ZE	A
M'³t`Tm	n^hdJ5[\mtbY^&?daOEhkQ79<W9%@"˙JVTJV/ۯivaHڸ F>oͥ،4
Jـ~gipϫ
B!YH _2p|c]_5oX12,S@+-"	{R(Z gUz;x4IZÜ\gBؙ
$íєm{֑DWTJNI67
}Wу,}~fAq6.[ti#pB_Dd텊5qqF	+yO.GbR44BJa C 	j
kZͮ _PfZ{(NU9pd%-bDmUu:âxiNA΄u/ۓ[;1C,M3),!gҵ1H8y߰1+Ui/)W
Dm(5TNw2I3wnNFxBWpD/:0
Zx$o+1t|Aj|c=p)Xn+g=^(iA*j'Wޡ]FOovmt^(#ĠSG;̯̤KJ8W/k--ǀzGlbþb?yQLQ~MEE༰KCr.SM|FFMT!DCbph@h-\DAL[GgU@W%
O@s'=k!MLx0یCѸ
kHAFlR/%b>US
BH/Q:b#zzjU켑V-3-5`Vn1M|:[/x|!{(@O=2AtQgͺ9#Ŕ-kf1}͟JxaKi4:\]\mW0)QxSU7cu::EKPaڠU|1̳R	Ly83/(cwdA."-դϵB0ڸS|{J*b~&(ș81V)ѷ߼H}x0!xi([2:.dk>*["E"ehUfcގ䃡zR
Mr̈j3ړthRzG$V8
\G^'y@F(t!uNd[0_qKR}C	fՇHk![}96#j")ZbF"#H1)lrH &L$qNgaۇ&5T;:-')%񁑀ONK(B8'|IbeոK`.!GB@5}/ ue]8}IĎ~: &d0g
qeT}Y2L/j|<Q:2ԼӝNUyd0Glap9M([P%+`3n_!
.3(!+4x+dxIѲyI
b`ܨM1/0S=1g'8<q)~,IY+A1vdMKxO"FFŧp)p/}
	nFtd
|ũ":xx!@XʫJ.66*7烱&ԄEIX/*|L6YZoRL?!S,2f+^
^^
e:|LRi>!KL-OZC(cGږir$pa͂|9:& /(qp>Wl! 0ĠFX{}]%uj	2U,)-,?\/h=<TUsiTOD5^|ey-?p.C)Fo置.tiENaÝ~`1*<0JpGl2I;	XjZ[1,>J]n|tڂQti\DK
2ZVppUPA{_-w61yT n5q,E^mUߕ? cn=D+~o\\0;f]?6"moА=4A]߶:ұd9kiVMי~P6UFKCp_ ;b]8>8}Z-އrR/ʶ.jmU.^'""u~>C}uGdw~'0g.i䧎yڡNmO¥;G,O/Nռ:dxc]u!yK,;Z`l{Ba!@h( rl6
Lz8DZ);FmX@R$0[+r(6wF$mL[.7^%uz
tb61)~W/'a<>$g`cx3N-;Y= nfM	3"鞚üug+\ʍQ^]-M1Hg{x\	
HY`fsl]]݆)K6y}#Q5A1F$O6&U#.Y:#geW;x9
Ѩ*j)
JbqRu¶AzJO]<#kA(|ϧ:iÎYe{Щ]M/_ש`<ϝ(S5nr}Fnv-U\9l ,#Sj?> g5lTfc,kjj4#ohVD*U@..|I
QB؋	'Q/d ]&S \فFugrfk!lQXMf(uIZqjJ{V`h2@o:2gIQ0^ё]&
wT9?FJY3qJ9զޢ5 /R+q|SիVcGTcDh8
?ώk6|̒8y6YQDnS\hxw1fGgjݠPFWSG;aՊ0GEz(>V&sɣV=bt)&B+mrkK(0eh@l
2U:<V/'[L4_fç7ex]ֳ*MR4-HVpDɫ%6ۧ;н!7imaty$Ń-xFsz1ѫ0.j(8dcjZt[hA

$=|@*\u\H!m*hYM 	C*wN=}yg={?W|͛0/LM`:T+)5-PksеV{bS*nX!ȳc@^̍HqU1Y,
nv^_\tI{as0>~7a&(Nު%T8_Ou]tKQ
d`Lk~9<R͒wy13>$m d!vZrÝEww׊?;qwf4RmP%Ae#V>r]elUȗ"I=;vV8]$q#*<U\ՌMXLCRͳˠ)I.p5	I`]!8K͝H%ꤔ.²[I}%\Y\\9ۓZ
lR;C(7މN-3wB+kg4ZEs-eۄ85>'~0gKT,Ai<8TH2:8+-yjBG9ꀻXna-G߄kQ`
k<j.CR;бQIy}~f[K'.s{i'>BPR4%`KMwheK:ӑ
syf]tD@$$hE=
8V,1[rqk(%kR <GNp5F{JeX>`vF3a7^5iT H_y0R}
Zjp(;Mgd6of93ajC|q	:68=kJ
NH
Uzm72	@*Q ne%3՚C&kV~ܬMeq|Y뎥.?h[?SBxs7XA:a҆D"nx&J&~;AG
6Sfaq\َE]EAuXLișpJyD$^u-u 4 <˵  })RW&`T0`;*JJ&ӉyXDgap4ޓu^58&oī-#:̫m+KHG J~"#bqE5S&@10cSzd%2$AIS~>+RP"*A/<]'rV1EsΝY40hZs4̠Âe:{[
6&ߖLQy^ϧIw-4ل4a&:$ކ8x\3&3Ӱa]wcOݶsMNk{-/p*[pqFzXڷ$裩_Z#ȬV}Y]#;
Q]r)hP?At\ܢDЭZ0_BZiZ{왋<+shŚqH 9i"M[zOݮ<l)LKLyXެ펞pc#עt~-D4uNSI>rqtտpr뿉оSO$Ov
iuҏK}b(|܌&%2^c:aE,j%#"WF
Wfu	C	;K63c{MLt-z hxjRu\X- |X4#Bj#~_4ɴm8gVZ,&}*6nҽ"ƈLHvȨ+!:V'Htƴ^\Jvu'sT3!/lL&i_UV'*qZ^0`wU}]+EKjw1 n{?9 ~FHv=I4c(⪔W
w=L=-yEwoznwHS}'UbԶ.c?NtZi/#rXYT"2VrY?d̺c-qBxm)iX\/Ie^Aq% hSRd0ɚZ*	ٳFwlX~(Q	Nؐ]uY6@Z3(;'H8(|&3f6xEŃ
nQ#9V,q4HT]'fK3'"B![eLfulHRhM'2-^E2Yn_d"Bbj8rҹle+uE*{Ke9Y)R^H'b^	<5	}Of:0B(K
+bn>GpCKן=}d?캣بV6ĄݗhHz65+&Oj' M_W"y`x]xPQh VF6JE9s!|#GyWjf6yT,& s}[
Dx.sp|	{[_eRmMh$N3d
ԗԷ5m\([Mҗ
IrMtg ÷os;؉b~!;[2buQa"FNO@4^ #ݞx#xOPApm
d${n7`M4(!\២ŝzy^Ad%y0޻/%-}#L~Txؤgex#d@5(dFn&nB@D*%èq,:<«FRqj:M*_/^bRB:+uN!ML肤uUM)fJwli/^w@Q8rdQ+Sù˷GԚhB!dt+zK/UzjZZwwOMǈ.2K;&Kex?)3)줱L"xF˾ Gxl6PF`@)X)nFM0I0SEoϔ92֋2	\ˊ2;"<d/t4˖z}Y(8SN"EACv#,`p#hpP"{h	Htx5D*pdf©UNl)g[&ɛ]Z@6ldq"J/( hr#v{7Up{aדlŲDnO98_OK
He]q=w:08Qy<cT+>Yc*|.]&0U{zɜu@}6Y+>riߒ0&.\n.ܨjBa|p1> j, >-@H!
ՅvP5~єj;	#iw{Qeתeo[(@\+]F;jmM%:u(;%n'=5:H-4gĸZcQO/Rx~c$MDA)Jb+xƛ}Eպdt_h(D+kdt~.>}618Ir:@ lbaa^0e{aEXU~Eo$.~v]
WIGuȆWPl7DX:zrܽ)ZlZA
oFKTҔSL."ƕׂA"GQ#lHDU
Eƛj4ÝMf2D]_bWmw*>x@c:͊]S#w෯JV3i<6/V+xx֦̏FDZ@k)ufNAA^Sy~az>̳SYp7{cӞW'=(6URv2պ363.'8ze)xlY
ԝ1-'1HVt_5RL"wfm+v/~1/rA<=EXsqmSĕh4#lic()x,CzX'c߭8C.DZ*y
fCČT`j)Uۖr_3	?ܽUj]@KCΰEƛdaʞ%5Z,"~Y86s8*7B\r`|o}9	ƷHsL6;CX;-^v+o&El{r_7]'Sir̒.@GV5-0m~n+~S~eU''<r"Kgp5(@8-X= ɗHfK;TX#W##CFTV:4e)I 2R01M"QAcp"QU|ca^,xZ;¼ʵ+=V⮪޳ʞO
b*۞(u7AA=u$(2vraI>ʦvnM+Y.EF1>bk\
*'5
bW\2{&'&mzkP	`F8&kS@iB<C/bP:먽+AbmlSIfח:LE)[T:sC )Yj:Uj%>1E]Crہ+\Kn.x&ch0Kfn+(tf
w;RTR^2%c-լ8WI˲,F.O3+ϩK<1pE߀Gz}EQeR|Iq}nڢDt#w|7/\ Ǹ Xmk;{>QZ*WWjsbqe	Γ\u+i/]ZX%,~kO0m^L3#CsCRuqX+Nm9rۭV7؇6v) 8*/z(I>-oqj-^3;ĉ-|WR]NxKLKl~/i|'4ǢedUf5ve"ժjeݐ	FJZ0tՖ1/ʢH]8FXvsmo{OdO ]ߠ#XUrYo͑&%'Qn|Y
{6-E8UDÌ$$ݜ8~Qpyy~$
-tU~P-,yMAIl`Oa_GL)Ú\>wB@phi9L\x/0ivKǈ ǭ߇=+bPt/W`#*ԃТ0]
^2LbƁ&Q֞Y?%Sd- *g'mv;"I5Hz$UXVl<8-u>ήD8eHfp&#i볧ɏ.HZ)|ujqQ?mpd0qwsSG8l<`.ȗ4
rV)^Yl?
?d!&_&o~ {V7˝Ϫ:_hUc|%O" -[H8fH#H\*j9ofӬGw/*:T4:~sv#X	QiPmA޽)|kz5t8oVSfYVrorvtKddsOZ?	=ۧW;[]߰'`4G5<ϓPK]nv&ALƆDȍ9=_~=(~W~}Tv9 7']WlYorg-gF&|ӗ.D Grn	Ĕ3uO4FY(ֈTh÷ʏHfU[azF<"FEu'3"gi1KcV_^/"?xCG<
nJUY0Ƹl8_9[U1tP[?F,2L\|˫-i0b2˫d]&9k)?!oA=}uůz *Vp,e{EwǨ4"oLҜȏޜcH״ڻ'.jeHw`lx0967MRKb TWV!}k@ yn-
;,,J0R?t!6̀IV~1')@pTc9]i|!ggi`mWgjQtoȌPE	qVou1IOKXf"U륡4wY9jb9-8"6x	㈔.WԂmy)+ɓ'ش=p" At
=/[6YqX|Uq?<.I Z;NyGiZIa405.2$Udӄ7^ɖ_ja\)zN0ԕz|"|G9$nYUߜ}+nU-1~^/]IfJHn39NLDM&
aJ'3Wn~=zQNZO2Ty=n
A/I6b
4ѲT~wގ~a%pГɼ:I
`Ŵ.M=zM+{i=2"Ȑti4LcME<5&\,@4 @zFʲilӥ66΄ik["^[%H'@j-C=&) "ᤁW'Ca٫`_+G]M                                                                                                                                         ELF          >            @       ({         @ 8 	 @ $ #                               `      `                                        %      %                    @       @       @                               ]      m      m            H                   ]      m      m                               8      8      8      $       $              Ptd   G      G      G      \      \             Qtd                                                  Rtd   ]      m      m                                    GNU {*jU3ag0ky݊       .            a  @ .       FXwWd                        5                                           n                                            &                                                                                     g                                           N                                                                :                     T                                                                                    }                                           i                                                                                                                                                         v                                           b                                                                                                                                                                          |                                                                ,                       `                     U                      Z                     F   "                                      p     r              __gmon_start__ _ITM_deregisterTMCloneTable _ITM_registerTMCloneTable __cxa_finalize nbdkit_debug malloc memcmp protect_debug_write nbdkit_error __assert_fail __errno_location strcmp strchr strndup nbdkit_parse_uint64_t exit memmove qsort filter_init pthread_mutex_unlock pthread_rwlock_unlock nbdkit_extents_free nbdkit_exports_free lseek ioctl fstat strdup strlen strncmp prctl pread pwrite strspn fputc fputs fprintf vasprintf memcpy close fcntl mkdtemp realloc sysconf posix_memalign libc.so.6 nbdkit-protect-filter.so GLIBC_2.33 GLIBC_2.34 GLIBC_2.14 GLIBC_2.2.5                                                                                !     ui	   ,      m                   m             @      `q             `q      q             v@      q             @      q                   q                   q                   q             A      r                    r                   r             @      o                    o                    o         /           o         )           o         -            p                    p                    p                    p                     p                    (p                    0p                    8p         	           @p         
           Hp                    Pp                    Xp         
           `p                    hp                    pp                    xp                    p                    p                    p                    p                    p                    p                    p                    p                    p                    p                    p                    p                    p                    p                     p         !           p         "            q         #           q         $           q         %           q         &            q         '           (q         (           0q         *           8q         +           @q         ,                                                                                                                                                                           HH_  HtH         5_  %_  @ %_  h    %_  h   %_  h   %_  h   %_  h   %_  h   %_  h   %_  h   p%_  h   `%_  h	   P%z_  h
   @%r_  h   0%j_  h    %b_  h
   %Z_  h    %R_  h   %J_  h   %B_  h   %:_  h   %2_  h   %*_  h   %"_  h   %_  h   %_  h   p%
_  h   `%_  h   P%^  h   @%^  h   0%^  h    %^  h   %^  h    %^  h   %^  h    %^  h!   %^  h"   %^  h#   %^  h$   %^  h%   %^  h&   %^  h'   p%^  h(   `%]  f        H=_  H_  H9tH\  Ht	        H=_  H5_  H)HH?HHHtH\  HtfD      =_   u+UH=\   HtH=]  Yd]_  ]     w    HHH9r1H9    AWAVAUATUSH8LD$/  HD$(H|$AIHD$H        HLLy  H5/,  H=,  1LHD$(HH  HD$E1LL$DLDHPx  H|$(H   LH   H|$#  LMA)trLH=^^  9
  IH  xQ  LPHP DM)II9IFIH
  HZ   
DH%LMA)uH81[]A\A]A^A_D     HI9IFH
@ HH9tg8 tIw(1H=+  8HD$    H|$(C  H8[]A\A]A^A_    H5*  H=b+  1D IIVHwz@ H
,  
  H5-*  H=0*  H
,    H5*  H=,  H
,    H5)  H=*  H=G*  1UHL$ fAVEMAUMATI1ULSHKtH   MDLH[]A\A]A^[]A\A]A^f     AVEMAUMATI1ULSHtH   MDLH[]A\A]A^[]A\A]A^f     AWAVEAUMATAHUDHLSHHL|$@M}t)H   MELHDHH[]A\A]A^A_H[]A\A]A^A_ff.     HH=e[  H=y[  HAUIH5(  ATIHUHSHHHtHHHHL[L]A\A]    HD$    E1;~Iu
LkA   -   LHHQ  HLL)#HD$H	  8 t  HD$    } 9  HHD$HT$H9  Ec  Hu.HH9   H|$
  HH1[]A\A]@ H-aZ  HH\$0HD$     HEH9LZ  HT$(  1ɺ      H=Z    ,  HZ  H)H@H  f     HH-Y  H\$0HD$ HHD$(HEH9Y  ;  1ɺ      H=Y  c    HY  H)H@H   HT$HuH=&  t+HD$@ HT$HH=&  x   fHnfHnH\$0H-"Y  flHEH9Y  )D$ s|1ɺ      H=X       HX  H)H@HHX  H\m HH4H|foT$ HD$0HX  HCHX  D  1@ 1HwX  H\m HH4H|fod$ HD$0HNX  HC#HGX  f.     1H'X  Hlm HH4(H|(@HD$0fo\$ H-W  HEHD$] HW  VH=]%  1F   ,H=3%  0   HH=&  1eH=%  H1   D  AWAVAUATUSHHt$H5nW  H<$H   f     H1W  Ht,HH@HHW  H@HH9rAfD  H1A   E1j H5$  H=V  1H  ZYg  H|$H$H[]A\A]A^A_@ H=V     H
-HV  H  1HV  @ HV  LHBH9s}LHDm LEHMLI4I9H;>  HNHH9rIIHNI9  HIt0LL)HRHFHV  HPHBHV  H9r HHU  HH,  H=U   ~1E1HU  L%U  L-S#  L=J#          HA   E11AUL1e  AXAY  IL;5uU  HHHLLA   E11H(j 1H  ^_   L;50U  HH= U  HHHPHp1HtHHI$H@HH9FH
$     H5!  H=#  HT  HH@ HL%T  E11j HA   LH5'"  1c  AZA[H="  1   H
#     H5;!  H="  H
#  <   H5!  H=!  H!  R     HR  HqR  ATUSHH`HoH$   H$   H$   Hu4H'  HuQH
$  \   H5W#  H=Z#  g    HLm HHHIHH9   HtH9   HH)H9  o$   HEo$   o$   )D$0)L$@)T$PH9C   1ɺ0      H  Aă   HCH)H@HHHlm E1HH4(H|(0fo\$0fod$@fol$PH+] em HCH`D[]A\    1H
#  [   H55"  H="  EH=V"  1H
#  ]   H5"  H="  H
o#  ^   H5!  H=l"      H8H   HVH   HO1HtwHIHHLAIHHt_HD$   H0H!HL$0HHHt$@L)HD$8H!  HD$XfoD$0foL$@foT$P$L$T$ H0H8    H
"  m   H5!  H=R!  )f     fH    GH?h     LH1H9s,HHHHHHLH;0rH9psHJH9r1 Hff.     AWIAVMAUIATUDSHH8HT$pH   HGHt$(H   H7H HHHDHJL(l$HL$&    H$H0HLl$8foD$0foL$@foT$P$L$T$ HH0r  Muf1H8[]A\A]A^A_D  HIC  I|$I   HCHT$pH   L|$(    1=f     LH   IFI   HSHlHRHHHRHHPH
      H5  H=D   '    
/w΃Hr
HHT$ HrHNHJfH
i      H5  H=v  H
I      H5  H=  H H3LINDIIuL|$(H
     H5P  H=%  `H   t7)D$P)L$`)T$p)$   )$   )$   )$   )$   H$   D$0   HD$HD$ HD$0   HD$ HD$P8H   H   t7)D$P)L$`)T$p)$   )$   )$   )$   )$   H$   D$0   HD$HD$ HD$HGD$0   HtH@HHH@HHHH)HD$PH   f.      H?     HH?uHH
  3   H5  H=  ff.     HH?uHH
d  :   H5I  H=L  f.     fH?(     H?     S1҉HbHx7   Ht$1HHtHH[D  8	t1HH[H
$     H5  H=  ff.     AVAUATUSH   H^  F%   =   tg= `    1HrxH$HĠ   []A\A]A^ 1HT$`  x1HD$HĠ   []H	A\A]A^HF0HĠ   []A\A]A^@ E1   I?fD  HމH   L9   ILHt+v    HA@ ILf.     J+II?IILEHMDIEIEH91(HC    IHMD  H\$H[rHf.     HCI9cLfD      8     AWfAVAUATUHSHHxHt$HHT$PHL$XLD$`LL$hH?HD$    D$Huj    1H|$      
    HT$L)HHL$J    HH|H4HD$JH}HD$Ht/9HD$HH|  Ld$ID$H9D$ s1H$   D$(   HD$0HD$@HD$8D$(/  HT$8ƍHL$(L,2M@  /=  HʉD$(H
1H|$LH5    LLd$HM   Lt$1 M<HLLuA</=   HI9uMl$LHl$L9l$ s$1H|$      \	  w  Ld$HD$I)J    H4J<HD$H,؋D$(HD$/HD$0L(HPHT$0Mt7HBHD$0LHHT$HD$H1A   JH\$1HCH9D$ s+1H|$           HT$H)HHL$H    H4H|HD$H    HD$Hx[]A\A]A^A_H=f  11H|$ t     HD$H<H~H;\$rH|$mHx1[]A\A]A^A_H=
  1H=  1H=  1~H|$$HT$0           1ff.     @    f.     AVAUATUSHtgIHIE1 Ht;IIH)tLHLHuI[L]A\A]A^    I    E1    HtWAVIAUE1ATIUSH IIH)t%LHL%Hu[]A\A]A^fD  [L]A\A]A^1ÐAUATUHSHH[H   H5  HIHL9t"   II      D;G<>wIr0HHL9uHH"   []A\A]x     \   Hc;fD  H"   KHH[]A\A]    AWAVAUL-;  ATIUSHHLHHH9tmL4+L=N  HuB LHL9t,+LHHu@LL1"HL9uH[]A\A]A^A_f.     HLH[]A\A]A^A_'    AVAUATUStnHLoL%   
   .    H\   IcLfD  Hv   fD  A] Iu[]A\A]A^f.     Hn   @ Hr   @ Hb   @ Hf   @ {Ht   nif     \   H\   JH\   =8     H\   #Ha   H\   L5  Hx   HA<A<HC<^wHf.     @ AWAVAUATUSHH   HT$0HL$8LD$@LL$Ht7)D$P)L$`)T$p)$   )$   )$   )$   )$   H$  IHT$H$    HD$LHD$ D$   D$0   HD$^   L4$LYLcHHCLH)Ht*H~$1ɺ   H_     L4$LcHCN|% L9rX1H;J4'LH;HLLHkHkH( H[LH   H[]A\A]A^A_fD  1ɺ   HH  tHSL)HHkf     Hu
   u"@t.1HH=  1 H=  1	H=  1fS1H=  h 	   [fD  ATUSt[1   t$   ߉1t[]A\D  ;H=t  D H1gDe D  SX   H foN  HfD$H)$HtH-H [    SH'1HtB0	v7HH7߃A<vF<	@_tHH9uչ   [f.     UHSHLGLrvHHHHHpet)H}  Ht^H]HE 1H[]f.     LHrHIrHIHH9rHDID             AWAVAUATIUH   SHH(H   1HIH   LmL   LHH   HFH!HtHH)1IHrlIHHr`H|$HAƅudLHM L|$IHLHL$H|$L} H]H(D[]A\A]A^A_         AD  D0H
g  v   H5  H=*  ?H
H  t   H5  H=   HH                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       protect.c region != NULL region->type == region_data checking protected region skipping unprotected region malloc: %m protect strndup: %m range ranges_append: %m i < v->len unprotected append region: %m 1.44.3 nbdkit protect filter protect: %s offset %lu length %lu       protect filter prevented write to protected range %s    cannot parse range, missing '-': %s     invalid range, end < start: %s  range_list.ptr[i].start <= range_list.ptr[i+1].start    virtual_size (&region_list) == range.start      protect=<START>-<END>      Protect range of bytes START-END (inclusive).                append_protected_region         ranges_remove_range             protect_config_complete check_write regions.c region.len > 0 region.end >= region.start realloc: %m is_power_of_2 (alignment) padding   region.start == virtual_size (rs)       region.len == region.end - region.start + 1     is_power_of_2 ((pre_aligment))  IS_ALIGNED (virtual_size (rs), pre_aligment)    is_power_of_2 ((post_alignment))        IS_ALIGNED (virtual_size (rs), post_alignment)          append_padding  append_one_region               append_region_va cleanup.c !r   cleanup_rwlock_unlock           cleanup_mutex_unlock device-size.c r != -1 || errno != EBADF    valid_offset strdup: %m %s=%s asprintf: %m      abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789.-_=,:/   abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789.-_~/ %%%02X              x        0123456789abcdef        %s: command failed with exit code %d    %s: command was killed by signal %d     %s: command was stopped by signal %d    prefer creating fds with CLOEXEC atomically set fcntl: %m       /tmp/nbdkitXXXXXvector.c pagesize > 1 pagesize % itemsize == 0                  generic_vector_reserve_page_aligned ;X  *   t        <0  |    |(  @      $  \          l  4  \  p    ,  <  L     t    <  L  D  ,    H        	  ,@	  l`	  |	  l	         zR x  $         FJw ?;*3$"       D                 \          d   p      BBB B(A0A8Dp@
8C0A(B BBBFQ
8F0A(B BBBH   H      W    BHE F(F0e
(A BBBBA(F BBB H   $  W    BHE F(F0e
(A BBBBA(F BBB \   p  ,u    BBE E(G0J8G@f
8J0A(B BBBBD8F0A(B BBB      L     DW L     T   BLG D(GpM
(J DBBI
(C ABBE   |   8  `   BBB B(A0A8DP^XM``XAPV
8A0A(B BBBF$XM`LXBPaX[`LXAPXN`]XBP               4        BAA G>
 DABH         x    D@HpP@D
H     (  $          <             P  E       P   d  XP   BEE E(A0D8Gp^qpT
8A0A(B BBBF        T    GYSL   $         GML            8            44    DP
A     4  X4    DP
A         T  x          h  t       (   |  pt    AH m
DFP
DA p        BBB A(C0GC
0A(A BBBDc
0A(A FBBAK
0A(A BBBE      d      x   BFB B(A0D8H
8A0A(B BBBAF
8C0A(B BBBA       8            D       <     @y    BBB A(A0F
(D BBBH   T     _    GEE D(C0j
(A BBBGA(D BBBA       H   D      BBA D(G0e
(I ABBMk(D ABB  \         BBB I(D0A8G@p
8A0A(B BBBKD8G0A(B BBB@     l   BBB A(A0v
(A BBBK       L   4     BBB B(A0A8J0
8D0A(B BBBG        8n    Fk
A       *    Ah   (     k    BAA s
ABF     9    AI0mA      V    AT  (   $  H    ADD z
AAK  H   P  @   BBB B(D0I8G`
8D0A(B BBBI                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               @                                              
       5             m                           m                    o    `                                
       8                           o                                                     	                   	              o    	      o           o    @	      o                                                                                                                                   m                      6      F      V      f      v                                                                  &      6      F      V      f      v                                                                  &      6      F      V      f      v                                                      `q                                              v@      @                                        A                                                                                                                                                                                                                                           @                      GCC: (Debian 12.2.0-14+deb12u1) 12.2.0 ,                                         ,    b$                                   ,    5       %                             ,    u:       0&                             ,    l=       P&      H                      ,    D       (      x                      ,    AO        ,      &                       ,    0P       P,                             ,    R       0-      R                      ,    [       0                            ,     a        2                            ,    f       3                                r                           r                       ^$       7,      
                   
  ?   	.   q  v  8  	O       n  9int 
  *F   
  ,   1  
B  -?        	      ,  
     l  :  =      p                ;
  w   
D     
  	[   ^   
J    
   $   

O   	"     _   ?   
 "  _  S  	i  i  s  	   	}  }      	      :  	        	        	      $  	        	      M  		  	    ~   	    '  P  	1  1  ;    	E  E  O  J  Y  n  c    m    w                          "    6    J    
O   <  O   
o   =  o   
   > 	     M5  {  Q	'     R	'    U
;    VO    W	w      Z	'  (  [	'  0l  \	'  8   ]	'  @    ^	'  H2  _	'  P  `	'  Xg   a	'  `  b	'  h   c	'  p  e	  x  h	    k	     l	     n	    p	S     r	   
L  B
A  p   Z  Z           
,   D
k  p   z  Z   
d  E
  p     Z  p    
  F
  p     Z  p        >  
  H       Z  p    

  J
  p       p         p   "  "          ;  "   ,     O  "   @  p   r  "  r  r  r      T  p     "  M      
        p   |  p     "        
          p     "          p     "     
          p   I  "     
     I     N     !  <d  P    p                           
  (  
  0   	  8  	  @     H  	  P  
  X  	  `  	  h  
  pp  		  x  	?	    g	    	    
	  {  		    		    
	    
    	5
     		    		  l  		     		      		  2  		    		  g   	     	     	    g
    
     
  (     0     8  
  @     H =  p       Z         5    p       Z   _    p     p      k  ,  Z     p   
	  
	  Z  p    z    p   :	  :	  Z  p   p        	     b	  b	  Z  p   p      D	  M   	  	    p      p      l	  ,	  M    	  p   	  "  M   p    	  p   	  "  M    	     	  "  M    	     
  "  M    	  p   5
  "  M   r  r  r   
  p   g
  "  M   M      
        :
  p   
  "  M         
        l
  p   
  "  M         
  p   
  "  M      
     I     
  >3  5)  $ptr 6	M    $len 7
.   $cap 8
.    ?  F   5N  %   %2  %    @?n  Ai @.   B:  An   V     0<    =
   len =
  end =
    >)  u BN     H   ( 	s  "  L  ptr L   len L.   cap L.    s  
"  L  	  @    ;Y    ;
   end ; 
    ;1    	$    <  ptr <   len <.   cap <.    $  
  <^  -   =  	s      -x  B  	r      C  p   	r      .k  cX  	q      /   8
  M    0  ;p   1
  1
  .   .   6
   
      
+M   ]
  M      .      p   }
        }
   
    
   
     .    _  
   
     p      
p   
         D  }

  p      p          
  
  
  )  &   8  
/M   ;  M      .    /  S[  M   .   .       '   5
m  M    W  
@p           .    E  %
  '_  _     & 0L  )M     .    '%  d     & F
  E
        F       @  g      
       G  o;                X  !   Yp   @      W       6  	  Y"          ZM   M   I   ~	  Z&   k   _     Z6
          ZG         err [  "    e      :    Us Tv Q| R0X}  (      UUTQQRRXXY  !  Mp         W       ,  	  M"  _  S    NM       ~	  N&         N6
        NG   ,     err O  i  ]        :    Us Tv Q| R0X}  (      UUTQQRRXXY  !  ?p          u       :  	  ?"        @M       buf A       ~	  B   ?  3    B*
  ~  p    B;       Herr C   3      :    Us T| Q} Rv X  (a      UUTQQRRXXYY   !   p                 	  "      ~	     ,      '
  z  l  buf ;       err E      "  )  	B         )        )Z  
6
  8  ,  #len 	
    {  #r 
	p       1W   W  #_x0 
      #_y1 ?   D  4   1%     )  6
      .G     I        L   ,              L           T  P  
      V$  Q~p             U~  JI      4  UQs R} X0Y k      V$  R  Tv Q~  }      [  l  U H          U	A       ]      [    U +          U	k@       0                 
  U	@      T	5@      Q} R~          /  U	r      T}          [  U	@      T	O@                 U	
@      T	 @      Q

R	B                 U	B      T	 @      Q
R	B       
        U	@      T	 @      Q
R	B            )   ?    	  2  p         `      ^  3	  7      3   *Z      Ki 
.       "  n  	B      d        \    t  S  Q                 ;       6    f  d  
(      
  U	r      T	@      Q
R0X0Y1    P      P                 y  w        
h      ;  QHR	        .        g  	R  C      9      N        g  <Y      c  	  	  n  -	  %	  g          
        U	@      T	 @      Q<R	pB          s         w    ~  `	  N	  w  d            t  >
  <
         
    U| R0X0Y1 
I        U	A      T	 @      QR	PB                    U    U
  O
  
      
  U| T R0X0Y1    `            y
  u
                          L            U	@       
      
  U1  
      
  U| T	@      R0X0Y1  ML      "  U 
        U	A      T	 @      QR	B           n   ?    	^        '$  "  n  	PB           end %
   2  p                  4r1 %  U4r2 =  T Y     p   5  	  %     ;Z  key      .      O    O   z  Q   f  R     S
  5end S
    T6
    U   N    x$   O  $    P  E                        Q            <  v <    <)     p   )           <N  v <  i <.      <  v <  nr <.   i <.   "    	pB             ?    	    <p     v <    <$   ^  <p     v <    <$  i <.    r  <p   ?  v <  2  <  /  <.   i <.   R       <p   d  v <  n <.      \     rs \   \  16
    H   1   v  1%.   5i 3
.      4:    S              V$    
  
    
  
        (  W  A           b   ~  (                        T      UUTTQQR  5        w   4$  @  3  -  w   *L  X  [  I  *d  *p  |            6     !    7
  
             4                           <  0  ,  +    C  ?             <	  h  d        +               ?                     <#   Y      O      
      
  U	s      T1QHR0                           d!            
    0          <      +          0        <	        +  '  +  @  <    S  O     ?  U      U             <S!  Y  j  h  O  u  s  
m      
  U	s      T1QHR0              :        !  U	@       
D      
  U1  6  0  "                0  {	        %             ;  <      +                F  <	            +            Q  ?                     <"  Y  '  %  O  2  0  
$      
  U	s      T1QHR0  ]                   
  "  U} T- -      
  #  U} Tv }        [  6#  U       ]
  b#  U	@      TvQ       ]
  #  U	@      Q       
  #  U1 P        #  U	~@       Z      
  #  U1 k        #  U	pA      Ts          $  U	HA      Ts  
      
  U1   
      
  Uv T	v@        UW  M         -,    f                  :   
q    (M   .  V   f   f   :     /*      C      {                
v  0
     
  
  
n  1int   ,   
1  B  -:   
          	4A   
,    
   
l  2  =/  4  $   H  H  H   M  3D     N    
   ^       _   $   
   k       :   
 k    S        	                 :                         $  *  *  4    >  >  H  M  R  R  \  ~   f  f  p  P  z  z                                        /    C    W    k            43  5Z  ptr 6	    len 7
.   cap 8
.    5     5     2      6?  7i @.   8:  A        0<    =N   len =N  end =N    >Z  u B     H   (   "  L2  ptr L2   len L.   cap L.      "  L   7  9  ;   n  n  .   .   s   $  
  %  +        H  .    %8  /        H  .    :_  _      ;
  E
               <   8
           $               
rs   S  O        i  e  
end 6N    {  &  N        4N        %Z      &ap    ~r        len N        Q%      ]            %         7       p$               
rs   &  "        <  8  
len 6N  R  N  &  N  h  d    4N  ~  z    %Z      &ap    ~r         $           z    "      P      	  
rs z        {        
len {6N    	  &  |N  E  1    |4N        }%Z      'ap }3	   (        !  	  	PD        T"      =      '       #      #                 F  D     #      R      R  N     T#      T#      
       ,    c  a     a#      a#              _    m  k   "      
  w  Us  "      	    T|  K#      	    Us T~  #          U	C      T	B      QR	PD       #        +	  U	pC      T	B      QR	PD       $        j	  U	C      T	B      QR	PD       p$        U	C      T	B      QR	PD        f      	  :    	  )  i                 
  
rs i  }  u    i'N      (  k      !  
  	 D                 mP
                  '  ov
    "      x!      
  
  UU !        U	B      T	B      QmR	 D           
  :    
  )M  V               
  
rs V  2  *    V/  }  O  !  
  	0D        7        [^                   `  1  )    '      >          d      =X  N      o                                  *                       Lx          "           H  Us T1Q0R0   /             i          U	B      T	B      Q\R	0D                
  U	C      T	B      Q[R	0D                &
  U	B                e
  U	B      T	B      Q]R	0D                U	@C      T	B      Q^R	0D           
  :    
  @  J  !      E         
rs J  .  *  >  J*N  T  !       2  
  D  @  +    ]  Y  
  !      2  +G  ;  z  v  /      #            *2  S      ^      i      u  (  $  ?  @  !      !             !'  ;  7    N  J  3  k  g         C    @   @  	  @H  	  @;  "  BZ   ,  4!             |  
rs 4|  ~  z  A!            ,  .!               'rs .  U   \    rs \     L    v L  key LH  	  L     $     H         L   >  v L  	  L     L   o  v L  	  L  i L.    _  L     v L  	2  L2  	/  L.   i L.   B          :      3  L     v L  n L.       ,s  
  v ,:    C     	  H  	  )H  	  8.   	t  H.   	  "  #__l 
.   #__u .   "  .   #__p H  "          	  ,      %               q  v        n  int 1    	h   o   ,  l  
?  3   	  5#    	  6#       	  7   
  (5    Z    |	  5     Z   s	  5   	   Z   c	  "	S   Y	  #	S   	  $    
A	  8  7	  5    	  5   l  5   	  5     5   	  5   *	   Z   	  !Z     "L    	  '  !|  *.   (  -5   0 >     .    h     .   7 
(C(  8  E   t  F(  k	  Ga    h   8  .   '   H  
8Vl  8  X"5  t  Y  k	  Za    	  [C    /Z        l  
  E
  t   t   5   t      CZ        8     8
  <      7%      4       z  ptr 7+z      r 9Z           	pD      %      w  $&        U	kD      T	aD      Q:R	pD          o     .    	  W  0%      4       /  ptr 0)/      r 2Z         D  	D      %        %        U	kD      T	aD      Q3R	D          o   D  .    	4     *%             ptr *<       %             
  ,  +    0&             
  q  v        n  
int 1    ,  l    C   ^        {    $   
       f      .   
       S           	                       :              &    0  0  :  $  D  D  N    X  X  b  M  l  l  v  ~         P                                    
    !    5    I    ]    q           *    4  C  >  M     	  c  >   
  t  H   		  0@&               
ptr 0      H&      R   >  	
  *0&               
ptr *      8&      c   H        ,  <    P&      H      
    :   q  v        n  int   ,y   1  B  -:   `  :     A     A   @  :   
  A   
  :   X  y   O  y     y     y   
  y   J
  !y       #  
  M  ,    m   y  s  3
      
     l  D     
  V  \
  
    
  $
   
  ,   
  -   H  /
   z
  0
    '  2	f   $:
  4
   (+
  9
   0c
  =   8.  ?   @  JL  H8  KL  XB
  LL  hh  Y[  x     k  :    
  	E
  (  (  A   (     s-    f   H   .    
  S     f      f       *f     f   :      
%
  f   
  f     f          y   `  fd f     @  ch   r -    p  	D       #  p  :    `  
  @    fd f   
  @  low @   mid 
@    !n
  U@  &              "fd Uf   4     #
  U)      $sb W      %
  X  ~u64 Zz  ~ul }:   ~&u  t  
  '  (t  	      	  G  9  )  '      &         	  {  y  (        Uv T|   '          Uv Ts  '          Uv T}  
'        ((        Uv T0   '        <  Uv TrQ~ C'        b  Uv T
`Q~ U(        z  Ts  
(         V  *  P&      t       
#      
-      +9  o	C      ,  &       &             X  
#      
-      9  C  &      k  U	D      T	D      QR	D        ^&        |  Us TTQ0 t&          Us ToQ1 
&          #   
  #,      (      x          :   q    (M   $  V   f   f   :     %*      C      {                v  &      n  'int 1                  4A   ,  l    (     ^   ;    	   $   
@        P  :   
   P  S  Z  Z  d  	   n  n  x          :                        $                M        ~         P  "  "  ,    6  6  @  ;  J  _  T  s  ^    h    r    |                      '    ;    )3  	5  ptr 6	    len 7
.   cap 8
.      (.  ptr .   len .   cap .       .    (    	;   j  j  .   .   o         +          .    8  /          .    *
  E
               +   8
                   .      
.              ;  3      ,_  
_N      &     c      -  2.  (      x      I
  .env 2.      ret 48  ~i 
.       len 
.   G  ?  s 6	   ~/  7   ~key 8   ]0  8     q
  d{
  h)        A9  
  j  d  
      
  m)         
      
      
      
  m)        
      
      
  (  $  
  H  @     
  (      (             ((    k  i    x  r  )      D  U~T1Q8R0  :)            {
  W*         ]l  
      
      
  W*        
      
      
      
  W*        
      
      
        
           
  ^*      ^*             (R    8   6     G   A   t*      D  U~T1Q8R0  *        Q| 3$     
{
  +      +      e       i  
  e   c   
  t   n   !
  
+       
+      `       
        
        
        !
  
+      
+      `       
        
        
        
        
  +      +             (    !  
!    !  !  0+      D  U~T1Q8R0  `+           1I
  +      4       r2	  2R
  3Y
  B!  :!  
j
  +      +      
       ($	  s
  d!  b!  +         +         W)      N  
)        k	  U~T	D      Q}  
*        	  U}  
2*        	  U} T Qv  
*        	  U  
+      ;  	  U	D       
+      ;  	  U	B       
+      ;  
  U	D       
,      ;  ;
  U	B       ,         "  e
  	v e
  4i (.   5 8  "-  {
  	v e
        
  	v e
             
  	v e
       	i .    A     
  	v e
  2  .  /  .   	i .   6          :    
  7  (   	v e
  	n .         ;  ,       ,      &         q  int 1  ,        v    n  l  \  *5      5    w  >   @,               	b  85    ,             
1,      {   U1T?        
,      P,                 :   q  v        n  int 1  X  m   
  m     Z  ?t   
  M   ,  l     
	        f      .   t      %
   f   	       f   H   .   t      G   ,      _         fd Gf   !  {!  buf G"   !  !  ~	  G..   "  !    G;   9"  1"  ret I   `"  V"  r I   "  "  -         Uv T| Qs R~     0   P,      y       fd 0f   "  "  buf 0H   "  "  ~	  0'.   "  "    04   #  #  ret 2   <#  4#  r 2   Y#  S#  ,           Uv T| Qs R~  ,                ,      0-      R      7    :   q  v        n  int 1  X  m   
  m             1    3f    _
  6	     7	     8	   G
  9	      :	   (
  ;	   0  <	   8l
  =	   @(  @	   H
  A	   P  B	   X  D   `
  F%  h
  Hf   p
  If   t
  Jt   x  MQ     NX   =
  O*    Q:    Y
     [D  
  \N  ~
  ]%    ^	H   
  _
.   
  `f   V
  bS        A  +2
       
   :  :       
  ?  
  I  
   c  :       c    m  ,  l  

  ^f     r  h   _       c  f    
x
  %f     f   m   

  f     h  r   

  ).     c  c   
  .   (  c   
  p.              str pc  y#  u#  fp p(m  #  #  i r
.    $  $  c s   l$  `$  }  A0            $  $     }  Y0               	/        */          UvTv  	U/        b/        -  UnTv  	m/        z/        X  UrTv  	/        /          UbTv  	/        /          UfTv  	/        /          UtTv  /          U\Tv  /          U\Tv  
0        3  U\Tv  0        Q  UaTv  40        o  U\Tv  A0          UxTv  Y0          Tv  f0          U
~ s "8$8&Tv  }0        Us 8$8&Tv   
  S .               str Sc  $  $  fp S#m  $  $  6  Vc  
HE      i X
.   1%  %%  len X
.   %  ~%   .          Us  ..          Us T}  V.          Uv T|  h.          U} Tv  ~.          U| T Qv  .        UUTT  &
  00-             }  str 0c  %  %  fp 0%m  %  %  6  5c  
 E      i 7
.   &  &  len 7
.   X&  P&  E-          Us  `-          Us T	 E       -          U"Tv  -          Tv   -        +  U"TT -        I  U\Tv  -        g  U"Tv  -        UU  !  B     "i B.   #hex D  	E       
     :       q     ,  &    0            !    :   q    (M     V   f   f   :     *      C      {                v        n  int 1  
                     4A   
  M   ,  l     3  5W  ptr 6	    len 7
.   cap 8
.     [  (  ptr     len .   cap .    [  (W    +          .    8  /          .    !
  
E
               
  ;       .   .      !    "   5
0      
  	.   G      
     h  m     r      h  f   #  .  0              s   &  }&  fs .   &  &  $s2 0   }ap 1   }len 2
.   &  &  %  3  &  &  r 4   &  &  M  b1       b1             @m  a  	'  '  Z  '  '  	q1        Us Q1R0  &  1        C    !'  '    ;'  7'    R'  L'  '  1        ('  l'  h'    '  }'    '  '    '  '  (  M  1      1             (_  a  '  '  Z  '  '  	1        Us Tv Q1R0  )1        	1      i  T~ Qv     21      G    U} Q} G1      0    U~  	1        U}     b       v   
2     
/  .         8  v   
2     
/  .   i .   *  H      H  :    8  L     i  v   n .    +  v       ]  ,  ?     2                :   q  v        n  int 1  w     w   ~   ,  l    O   ^            $   
       w      :   
       S           	                   :  #  #  -    7  7  A    K  K  U  $  _  _  i    s  s  }  M        ~         P                                   (    <  	  P    d    x  '    1    ;    E    O    .   p      &  r           r     r    4  d     d   d      	%
  d     fd     d    _  
_      	   `  p3      V       `        '  '  
i 
.   (  	(  
len 
.   8(  6(  y3      Y  Us     	  r   03      9             PV3          Us  c3      p  Us   w     :    	  d   2      k         
fd d   J(  @(  
f d   v(  t(  
err d   (  ~(  2        F  Us T3 2        c  Us T4 3        3          U	F        3        Us   	  od   2      *         
fd od   (  (  2          U	PF       2        
  Us  2           >d    2      n         >d   (  (  
cmd >3    )  (  `2        ~  U	E       w2          U	 F      QU 2        U	(F      QU	$         ,  O    3              q    .   v        n  int 1    t   	{   ,  l  	   A   H     )    7  8  J  
    6    	;  
    Y  
    	  5  -    b  
    b        '  ,  d      N   6  !  "  #  $  %
  &  '  (`  )  *  +  ,  -H  .  /Y  0Q  1  2  3P  4  5t  6  7  8  9  :S  ;  <>  <  =  >  ?  @  A+  B  C$  D  Ef  F  G  H  I  J  KE  L  MH  N  O  P:  Q  R  S  T  U?  V  W  X  Y  Z  [Z  \  ]7  ^  _  `  a`  bo  c~  d  e  f  gE  h  iA  j  k  l\  m  n  o-  p9  q  r  s  t  u  vo  w"  xv  yp  za  {  |  }  ~F  e      n  '         D        &  !                    G  ^  Q  \         V        Z        @  u      P  {    i      l      4    <      y    9      	  k        F    p  V    <    ,    `              }  t  u      |   3  5  ptr 6	H    len 7
5   cap 8
5       8
  H      +H   '  H      5    1  Wf   H  H  5   5    	H    
  E
n        A          m     f    !  	%
  	f     4H     H   5    m  jf   p4      @      A	  v j=A	  I)  A)  n k-5   q)  i)    k75   )  )  "r mf   )  )    n	H   )  )    o
5   )  )    o5   *  )  l  pm   !*  *  j  q
5   O*  E*    q5   *  *  #  V	  	F      $*  4       4             x9  ;  *  *  l  *  *  a  *  *  V  *  *  K  +  +  C  +  +  w    )+  !+         
4      n  P  UN 
4      '  i  U 
$5          U TQ| }  
.5          U U5        m5        
5      M  	  U	F      T	F      QvR	F       %5      M  U	F      T	F      QtR	F        	  &{   V	  '.   # F	    Vf   3             #  v V0A	  `+  X+  n V:5   }+  y+    VD5   +  +  0  W#  +  +    Y	H   +  +    Z
5   S  Z5   T(*  3       1  \  ;  +  +  l  ,  +  a  ,  ,  V  6,  2,  K  T,  L,  C  s,  m,  )1  w    ,  ,      ,  ,    **  X4      X4             0+;  C  ,  ,  K  ,  ,  V  ,  ,  a  -  -  l  -  -  w          ]4            4           ,  0f     v ,A	  n 65   
  0@5   
R  1  
  1/  
0  1@#  {  
5   [  5     5     $5   -t 3.5    	5   .  v  
  Z      ,  c      q  v        n  int 1     h      ,  t    2  q  v        n  int 1    l  ,    I  I ~   !I  
 :;9I8   1B  'I  H}  7 I  	& I  
 :;9I   :!;9IB   <  
H}   :;9I  $ >   :;9I  
 :!;9!	I8  
 :;9I8  1RBUX!YW  .?:;9'I<  U  1RBUX!YW  4 :;9I  4 1B  .:;9!'I   :;9  H }  1RBX!YW  .:!;9!'    :!;9IB  I   ! I/  !.:!;9!'I@z  "4 I4  #4 :!;9IB  $
 :!;9I8  %(   &   '.?:;9'<  (H}  )4 :!;9IB  *4 1  + 1  ,'  -4 :!;9I  .4 :!;9I  /.?:!;9!
'<  0.?:;9'I<  1U  2.:!;9!'I@z  3 :!;9IB  4 :!;9I  54 :;9I  61U  7%  8   9$ >  : :;9I  ;&   <:;9  = '  >:;9  ?>I:;9  @:;9  A
 :;9I  B
 :;9I  C4 :;9I?  D.?:;9'<  E. ?:;9'I<  F.?:;9'<  G. ?:;9'I@z  H :;9I  I1RBUXYW  JH}  K4 :;9IB  L 1  MH}  N  O  P.:;9'@z  QH }  R4 I4  S.1@z  TH}  U. ?<n:;   I ~   !I   1B  7 I  & I   I   :!;9IB   <  	 :;9I  
$ >  H}   :;9I  
 :!;9IB   :;9I  .:;9!'I   1RBUX!YW  I  ! I/  
 :!;9I8  
 :;9I8  4 1B  
 :!;! I8  .?:!;9!'I@z  1RBXYW  H}  1RBUXY! W  :;9  
 :!;9I8  (      4 :!;9IB   H }  !4 I4  "4 :;9I  #4 :!;9I  $'I  %.?:!;9!'I<  &4 :!;9!I  ' :!;9I  (4 :!;9!IB  ).:!;9!'I@z  *U  + 1  ,.?:!;9!'@z  -%  . I  /:;  0   1$ >  2 :;9I  3&   4:;9  5>I:;9  6:;9  7
 :;9I  8
 :;9I  9.?:;9'I<  :.?:;9'<  ;.?:;9'<  <.?:;9'<  = 1  > :;9I  ?4 1  @1RBXYW  AH }  B4 I4  C.?:;9'I    
 :;9I8  $ >  I ~   I   !I  
 :!;9I  I  ! I/  	& I  
:;9   :;9!I   :!;9IB  
:!;9!	  .?:!;9!'I<  .?:!;9!'@z  4 :!;9!IB  4 I4  H }  H}  %     $ >  .?:;9'<  .?:;9'<  .?:;9'@z  H }    !I  7 I   <  & I  $ >  
 :!;9I8  .?:;9!'<   I  	.?:!;9!'@z  
 :!;9!/IB  H }  %  
$ >   :;9I  :;9  I  ! I/   I ~   :;9I  
 :;9I8   I  $ >  H}   !I  4 :!;9I  	4 1B  
 1B  & I  H}  
H }  :;9!  I  ! I/  .?:!
;9!'I<  .?:;9!'I<  .:!;9!'I !   :!;9I  4 :!;9I  4 1  %     $ >  .?:;9'<     . ?:;9'I<   :;9I  4 I4  4 :;9I     !.?:;9'I@z  " :;9IB  # :;9IB  $4 :;9IB  %4 :;9I  &1UXYW  ' 1  (U  )1  *.1@z  +4 1  ,1RBXYW    1B   !I  7 I  I ~   I  & I   <  $ >  	 :!;!(9!I  
H}  H }   :;9I  
1RBXYW  
 :!;! I8  .?:!
;9'I<  1RBUX!Y!(W!  H}   :!;!(9!I  I  ! I/  
 :!	;9I8  
 :!;!(9!I8  .?:;9'I<     4 :!;9I  .:!;!(9!'I !  :;9  
 :!;9I8  4 :!;!59IB  
 :!;9  1RBUX!YW!	   U  !1RBX!Y!(W!  ".:!;!(9!' !  #%  $ I  %:;  &   '$ >  (&   ):;9  *.?:;9'<  +.?:;9'<  ,.?:;9'<  -.?:;9'I@z  . :;9IB  /4 :;9I  04 :;9I  11XYW  2 1  34 1B  44 :;9I  5   64 I4  7.:;9'I    $ >  I ~  %  $ >  .?:;9'I<   I     . ?:;9'I@z  	.?:;9'I@z  
H}   $ >   I  I ~   :;9I   :!;9IB   :!;9IB  4 :!;9IB   !I  	.?:!;9!'I<  
%     $ >  
&   . ?:;9'I<  .?:;9'I@z  H}  .?:;9'I@z  H}  H }   I ~  
 :!;9I8  H}   I  $ >   !I   :!;9IB  4 :!;9IB  	H }  
.?:;9'I<   :;9I   <  
I  ! I/  .?:!;9!'@z  & I  7 I  1RBUX!YW!   U  4 :!;9!I  H}  %     $ >  :;9   :;9     .?:;9'I<   1B   1  H}   H}  !.:;9'I   " :;9I  #4 :;9I    I  I ~  $ >   1B   !I   :;9I   :!;!(9!I  
 :!;! I8  	H}  
 :!;!(9!I  
 :!;9I8  
 :!;!(9!I8  
.?:;9'I<  .:!;!(9!'I !  I  ! I/  & I  7 I  .?:!	;9!'I<   :!;!.9IB  4 :!;9I  4 :!;9IB  1RBXYW  H}  %   I  :;     $ >  &   :;9   :;9  !.?:;9'<  ".?:;9'<  #.?:;9'I@z  $   %4 :;9IB  &1RBUXYW  '1RBUXYW  (U  )H }  *4 I4  +. ?<n:;    !I  7 I  I ~  & I   <  $ >  H}   I  	.?:!;9!'I@z  
4 :!;9IB  H}  .?:;9'I<  
 :!;9IB   :;9I  
 :!;9I8  I  ! I/  .?:;9'I<      :!;9IB  H }  %  $ >  :;9  . ?:;9'I<  .?:;9'<  4 :;9I  .?:;9'I@z   (       1B   I  I ~  4 1  $ >  4 :!;9IB  	 !I  
H}   :!;9IB  H }  
 :!;9I  4 :!;!39I  
 :!;9I8  .?:;9'I<   :!;9IB  4 1B  & I  .?:!;9!'I@z  4 :!;9I   :!;!09I  %   :;9I     $ >  &   >I:;9  :;9  .?:;9'<  .?:;9'I<   .?:;9'<  !. ?:;9'I<  "4 :;9IB  #4 I4  $1RBXYW  %H}  &I  '! I/  (1RBUXYW  )U  *1RBXYW  + 1  ,.:;9'I   -4 :;9I  .. ?<n:;   $ >  %  $ >   $ >  %  $ >          
      
   &   ;   P   y                                                   6  0  @  J  S  [    	      	<=WZ Y%yfO%Y%
=

W	
o	=<O</!IK<<Jt<	t
v<	=<O<5.
I/	q~JYX	"	k....Zq<]~%JJX
 `   *	XX.	/<tY;-=;!-=X[
K  ..
-/ f...oY;-=;!-=X[
K  ..
-/ f...o;!;=;Y<X[

I  ...
-/ ...}KuI XYsY;XGI= .-?f/
Ij
'<'<<
XY	X
`.F .dXt JX <Xft)  JtX Xt#3
wX	J[x<
AXXt X.f. X. X
 XX	 SkXY [qM 	~	t[~#0 

Zf~tt)$JZ%!
	 Y4  J	 K ~   $~Jt	)w/in.tt<.-
J5F<0:JDJ:FJ.:.FJX 5,	~<,tfJRJ-[# tXt/(K3 MJf ~ 	      t        
      f  &   y   P                               [                      6  J  0   	       	X X  t t#zYJl.tXt
g< X.. u  t )  t   t.<DJJ m	Jm.[#JZ >
F
@<T=
?U
%Kv.tB$<tH0Z
J>=
I=>t=Y_gxJ
X.
RJ< \	\+JYRM#t**Y*IY5
^/X J..	ff<<	XX W	J+YRt 	J C	J#8 x& tH#$\YRX& BIB	 J[# IJ=Xh      U   
        y      	              !  J      	%      *<K<YK W  	%      K<YK W  q     F   
        y      +   +        0     	0&      *<<     z   
        P   y      J  s  <   <                    J        S   	P&      $*/NX`it  c XxX.o +y	wtKJr.KXtJ\t$J
?`x/x
Xg 	L
,	tJJXJkf	X  JXg     v   
        P      y                    [            6  J     0   	(      2/I.y<mtJmJ֐mJfY	XY	=gXX 
 . e . /	W=WY
 / J  JUX+X
<	KXtt!_Jf
<.e.Y		S.XtJ 
]XZXt 
I/N).h.
 c     3   
        s           	 ,      8
 0    O   
        P   y                     S   	P,      0_	==t</	ftw.S
ygv.Uu;	==
</	m  ...t	z B ...u .     a   
        &   P   y   J     	      
             6   	0-      0w		Y  ! ;^Y!<  z< P zX 	XI.Izyz.pJ< <p.X 	 .      ynxt	Y	e=X]NpVLVY	[J^v
vJ
f  .vfX 	.      <z"X3& wf   X JJ q "X3g"X3c"X3g"X3i"X3y"4"3	f
C	=tY	?.A<<<	?<	 z 
<	Ku	<
 \    h   
        P   y      &   &   /        [          6  J  @    	0      .cyY;Y		I=J hX   eJJJeJJ vfJ] to.J     g   
        P   y         ?   ?          6     G    S  0   	 2      >-K X X]
l/pXZwv1XZ#J#+1tYu	XgftN[Y X < `yY	s==uuKx$TN:Z:LX[
/ 	?Y-\f		 J!     J
]Y< q    c   
           P   y   O   O      6     J       X  S  [    	3       KX</f<<<).J[
IK
/f_<gf2XfJiXg!yXKyQYX<J<g)f  K<Y<<.>	<	 /          J f5 5<J<=
K
K.b
XgtX= k. .   -     %   
        c   -     %   
        t   can_zero sockaddr_ax25 cleanup_free sa_data nbdkit_next_config_complete buffer nbdkit_backend sockaddr can_fua nbdkit_context sockaddr_ns nxdata range_list nbdkit_next_ops region_zero can_trim nbdkit_next check_write limit can_cache can_write protect_config __errno_location sockaddr_ipx nbdkit_extents nr_elems memmove find_region malloc sockaddr_at nbdkit_error long long unsigned int cleanup nbdkit_next_list_exports after_fork value append_region_end can_flush ranges_remove_range compare_ranges sa_family_t protect_zero nbdkit_next_open _Bool sockaddr_inarp generic_vector __uint64_t sockaddr_iso protected nbdkit_next_preconnect prepare elem sockaddr_dl region_type longname close protect_trim exit get_size strcmp _api_version nbdkit_parse_uint64_t protect_pwrite ranges_append parse_range ranges_reserve long long int sockaddr_eon expected sockaddr_un is_zero nbdkit_filter ranges_insert_array negate __compar_fn_t filter_init export_description append_unprotected_region ranges_remove append_protected_region compare virtual_size dump_plugin __int64_t nbdkit_debug can_fast_zero long double nbdkit_next_config strchr end_str short int region_list matches config_help generic_vector_reserve nbdkit_next_default_export block_size region_file sockaddr_in get_ready start thread_model __assert_fail strndup ranges_sort GNU C17 12.2.0 -mtune=generic -march=x86-64 -g -O2 -fPIC -fasynchronous-unwind-tables unsigned char __uint32_t finalize protect_unload protect_debug_write can_extents sa_family can_multi_conn short unsigned int protect_config_complete handle __PRETTY_FUNCTION__ region_data nbdkit_exports __builtin_memcmp ranges_insert is_rotational start_str sockaddr_in6 sockaddr_x25 qsort __idx __nmemb reg_save_area __key append_region_len compare_offset append_region_va bsearch is_power_of_2 offsetp __compar __base pre_aligment regions_reserve gp_offset append_one_region regions_insert_array __size fp_offset __comparison regions_append post_alignment __builtin_va_list overflow_arg_area regions_insert append_padding regions_search __gnuc_va_list init_regions free_regions __va_list_tag __data __pthread_internal_list cleanup_mutex_unlock __wrphase_futex __pad2 __pad3 pthread_mutex_unlock __owner pthread_rwlock_unlock __flags pthread_mutex_t __lock __rwelision __pthread_mutex_s cleanup_rwlock_unlock __writers __writers_futex __cur_writer __readers __pthread_rwlock_arch_t __elision __spins __align __nusers __count __shared __prev __pthread_list_t __pad1 pthread_rwlock_t __list __pad4 __next __kind nbdkit_exports_free cleanup_exports_free cleanup_extents_free nbdkit_extents_free st_size tv_sec st_rdev st_ctim __syscall_slong_t st_dev st_blksize device_size st_gid __mode_t __ssize_t find_size_by_seeking statbuf_from_caller high __nlink_t lseek statbuf st_ino tv_nsec fstat st_nlink st_mode ioctl valid_offset __blksize_t st_atim __pad0 st_blocks st_mtim __ino_t st_uid __time_t __off_t __dev_t __glibc_reserved timespec __uid_t __blkcnt_t __gid_t string_vector_empty strncmp copy_environ argp string_vector_append strlen string_vector_insert string_vector found string_vector_reserve strdup string_vector_reset string_vector_insert_array prctl set_exit_with_parent can_exit_with_parent full_pwrite full_pread _IO_FILE _IO_save_end _IO_write_ptr _IO_buf_base _markers _IO_read_end _freeres_buf hexchar _cur_column strspn fprintf _old_offset shell_quote _IO_marker _shortbuf _IO_write_base _unused2 _IO_read_ptr _IO_buf_end fputc _freeres_list __pad5 c_string_quote fputs _IO_write_end __off64_t uri_quote _fileno _chain _IO_wide_data _IO_backup_base _flags2 _IO_codecvt _IO_read_base _vtable_offset _IO_save_base safe_chars _IO_lock_t string_reserve string string_append_array __builtin_memcpy string_insert_array string_append_format need vasprintf set_cloexec mkdtemp exit_status_to_nbd_error status set_nonblock is_shell_variable template make_temporary_directory fcntl _SC_THREAD_PRIO_PROTECT newcap_r reqbytes _SC_VERSION _SC_NL_NMAX _SC_SIGSTKSZ _SC_SYNCHRONIZED_IO _SC_THREAD_PRIORITY_SCHEDULING _SC_NPROCESSORS_ONLN _SC_THREAD_PRIO_INHERIT _SC_TIMEOUTS _SC_BASE _SC_PII_OSI_COTS _SC_MONOTONIC_CLOCK _SC_THREAD_SAFE_FUNCTIONS _SC_IOV_MAX _SC_STREAM_MAX _SC_PRIORITIZED_IO _SC_V6_ILP32_OFF32 _SC_THREAD_SPORADIC_SERVER _SC_SHRT_MIN _SC_USHRT_MAX _SC_NL_TEXTMAX _SC_STREAMS _SC_THREAD_DESTRUCTOR_ITERATIONS _SC_PIPE _SC_BC_DIM_MAX _SC_MAPPED_FILES _SC_2_C_BIND _SC_MQ_OPEN_MAX _SC_XOPEN_SHM _SC_INT_MAX _SC_2_FORT_DEV _SC_XOPEN_XPG2 _SC_XOPEN_XPG3 _SC_XOPEN_XPG4 newcap _SC_PII_INTERNET _SC_V7_LP64_OFF64 _SC_DELAYTIMER_MAX _SC_MB_LEN_MAX _SC_ATEXIT_MAX _SC_REALTIME_SIGNALS newbytes _SC_DEVICE_SPECIFIC_R _SC_THREAD_PROCESS_SHARED _SC_SAVED_IDS _SC_C_LANG_SUPPORT_R _SC_2_C_DEV _SC_XBS5_LPBIG_OFFBIG reqcap _SC_2_C_VERSION _SC_SCHAR_MAX _SC_SSIZE_MAX _SC_2_UPE calculate_capacity _SC_IPV6 _SC_BC_BASE_MAX _SC_POLL _SC_XOPEN_REALTIME sysconf _SC_SYSTEM_DATABASE_R _SC_CHAR_MAX _SC_T_IOV_MAX _SC_LEVEL1_ICACHE_ASSOC _SC_READER_WRITER_LOCKS _SC_SYMLOOP_MAX _SC_TRACE_LOG _SC_THREAD_CPUTIME _SC_XBS5_ILP32_OFFBIG _SC_PII_INTERNET_DGRAM _SC_2_PBS_TRACK _SC_FILE_ATTRIBUTES _SC_ASYNCHRONOUS_IO _SC_FSYNC _SC_LEVEL1_DCACHE_ASSOC _SC_DEVICE_SPECIFIC _SC_MEMLOCK _SC_LONG_BIT _SC_SEM_NSEMS_MAX _SC_EQUIV_CLASS_MAX _SC_XOPEN_STREAMS _SC_LEVEL1_ICACHE_LINESIZE _SC_REGEX_VERSION _SC_2_PBS_ACCOUNTING _SC_AIO_MAX _SC_LEVEL2_CACHE_LINESIZE _SC_XOPEN_VERSION _SC_SHELL _SC_TZNAME_MAX _SC_SPORADIC_SERVER _SC_MEMLOCK_RANGE _SC_AVPHYS_PAGES _SC_2_LOCALEDEF _SC_V7_ILP32_OFFBIG _SC_PII_XTI realloc _SC_V7_LPBIG_OFFBIG _SC_LEVEL3_CACHE_ASSOC _SC_FILE_SYSTEM _SC_PAGESIZE _SC_MINSIGSTKSZ _SC_LEVEL4_CACHE_ASSOC _SC_V6_ILP32_OFFBIG _SC_SIGQUEUE_MAX _SC_SPAWN _SC_DEVICE_IO _SC_V6_LPBIG_OFFBIG _SC_2_VERSION _SC_LEVEL4_CACHE_SIZE pagesize _SC_USER_GROUPS_R itemsize _SC_LINE_MAX newptr _SC_CPUTIME _SC_UIO_MAXIOV _SC_HOST_NAME_MAX _SC_C_LANG_SUPPORT _SC_THREAD_KEYS_MAX _SC_THREAD_STACK_MIN _SC_SEMAPHORES _SC_UINT_MAX _SC_CHILD_MAX _SC_NGROUPS_MAX _SC_SINGLE_PROCESS _SC_XOPEN_CRYPT extra _SC_LEVEL3_CACHE_LINESIZE _SC_TTY_NAME_MAX _SC_MEMORY_PROTECTION _SC_CHAR_BIT _SC_LEVEL1_DCACHE_SIZE _SC_CLOCK_SELECTION _SC_CLK_TCK _SC_TIMERS _SC_BARRIERS _SC_BC_SCALE_MAX _SC_ULONG_MAX _SC_MQ_PRIO_MAX _SC_TRACE _SC_LEVEL3_CACHE_SIZE _SC_SPIN_LOCKS _SC_LEVEL1_DCACHE_LINESIZE _SC_BC_STRING_MAX _SC_NPROCESSORS_CONF _SC_INT_MIN _SC_V7_ILP32_OFF32 extra_items _SC_TRACE_SYS_MAX _SC_FD_MGMT _SC_REGEXP _SC_LEVEL1_ICACHE_SIZE _SC_RE_DUP_MAX _SC_ADVISORY_INFO _SC_SHRT_MAX _SC_XBS5_LP64_OFF64 _SC_SYSTEM_DATABASE _SC_XOPEN_REALTIME_THREADS _SC_THREAD_ROBUST_PRIO_PROTECT _SC_2_CHAR_TERM _SC_PASS_MAX _SC_FIFO _SC_ARG_MAX newbytes_r _SC_LEVEL2_CACHE_SIZE _SC_2_PBS_CHECKPOINT _SC_2_FORT_RUN _SC_TRACE_EVENT_FILTER _SC_SEM_VALUE_MAX _SC_THREAD_ATTR_STACKSIZE _SC_AIO_LISTIO_MAX _SC_THREAD_ROBUST_PRIO_INHERIT _SC_THREADS _SC_PII _SC_TRACE_INHERIT _SC_WORD_BIT _SC_XBS5_ILP32_OFF32 _SC_PII_OSI_M _SC_2_SW_DEV _SC_CHAR_MIN _SC_XOPEN_UNIX _SC_PII_OSI _SC_UCHAR_MAX _SC_SCHAR_MIN _SC_PRIORITY_SCHEDULING _SC_SELECT _SC_NETWORKING generic_vector_reserve_page_aligned _SC_TIMER_MAX _SC_TRACE_EVENT_NAME_MAX _SC_V6_LP64_OFF64 _SC_GETGR_R_SIZE_MAX _SC_LOGIN_NAME_MAX _SC_EXPR_NEST_MAX _SC_PII_INTERNET_STREAM _SC_SS_REPL_MAX _SC_RAW_SOCKETS _SC_LEVEL4_CACHE_LINESIZE _SC_SIGNALS _SC_MESSAGE_PASSING _SC_NL_MSGMAX _SC_SHARED_MEMORY_OBJECTS _SC_CHARCLASS_NAME_MAX _SC_PII_OSI_CLTS _SC_TYPED_MEMORY_OBJECTS _SC_2_PBS _SC_PHYS_PAGES _SC_PII_SOCKET _SC_MULTI_PROCESS _SC_LEVEL2_CACHE_ASSOC exactly _SC_OPEN_MAX _SC_THREAD_THREADS_MAX _SC_NZERO _SC_GETPW_R_SIZE_MAX _SC_2_PBS_MESSAGE _SC_RTSIG_MAX _SC_THREAD_ATTR_STACKADDR _SC_FILE_LOCKING _SC_TRACE_NAME_MAX _SC_COLL_WEIGHTS_MAX _SC_XOPEN_ENH_I18N _SC_XOPEN_LEGACY _SC_JOB_CONTROL _SC_NL_LANGMAX posix_memalign _SC_USER_GROUPS _SC_2_PBS_LOCATE _SC_NL_SETMAX _SC_NL_ARGMAX _SC_TRACE_USER_EVENT_MAX _SC_AIO_PRIO_DELTA_MAX _SC_XOPEN_XCU_VERSION protect.c /tmp/nbdkit/filters/protect ../../common/include ../../common/regions /usr/lib/gcc/x86_64-linux-gnu/12/include /usr/include/x86_64-linux-gnu/bits /usr/include ../../include ../../common/utils iszero.h regions.h stddef.h stdint-intn.h stdlib.h stdint-uintn.h sockaddr.h socket.h nbdkit-filter.h nbdkit-common.h cleanup.h assert.h errno.h <built-in> /tmp/nbdkit/common/regions regions.c ispowerof2.h stdlib-bsearch.h stdarg.h stdio.h /tmp/nbdkit/common/utils cleanup.c thread-shared-types.h struct_mutex.h struct_rwlock.h pthreadtypes.h pthread.h cleanup-nbdkit.c device-size.c /usr/include/x86_64-linux-gnu/bits/types /usr/include/x86_64-linux-gnu/sys struct_timespec.h struct_stat.h unistd.h ioctl.h environ.c string-vector.h exit-with-parent.c prctl.h full-rw.c quote.c hexdigit.h struct_FILE.h string.c nbdkit-string.h utils.c fcntl.h vector.c confname.h windows-compat.c windows-errors.c ?                    USUUSU     TT             QVTQVQ             R\QR\R             X^RX^X             Y]XY]Y             USUUSU     TT             QVTQVQ             R\QR\R             X^RX^X             Y]XY]Y             USUUSU     TT               QRVTQVQ             R\QR\R               XQ]RX]X             Y^XY^Y          XUXU              XTX\| s \| s \\\                XQXo]oQ]]Q]          XRXVVV      XXX                   X_P___P_P_             Xiq 0.i 0.q 0. 0.q 0. 0.                       Xo^oR^P^^R^P^^     PP            XZz } #	} #ZZZ                X	| 	| P	| 	| 	| 	| 	|       p  $0)0p  $0)    ^^            0p u p u #p u p u     #~ #@#-( #~ #@#-(          UU     T                  00VVv0^~^0V 
r        
  
        
s              XvXv    
s      
s          
s      
s          11        XvXv                   	RQTs      v "QTQTRRQ	RQTs      v "QT#s      v "s      v "#T1s      v "s      v "#s      v "#  
r             	p v "1qQ    qQ             U\PU\U             T]UT]T             QVTQ	V	Q                       RSQR
S

R

S

R
SRS       SQR       VTQ       ]UT       \PU      S
]
]                 		P		V		v

vvVvPV      01
\
\              
S

R

S

R
SRS                              		00S	
	0S

00S

0qS


0QS

0S
	0S	0S
pSpSPSSS
SSR
0QS	0S   

s      
s                 

0qS


0QS

0S
	0S
0QS	0S     
VV    

s      
s         

s      
s         
11    
VV   
  

1  


s         
s      

s                   pSPSSS
SSR    V
V    
s      

s         
s      

s         1
1   V
V   
  1  
s                 
QS


S

S

R

QS


S   
s      

s                 
QS


S

S

R

QS


S    
V

V    
s      

s         
s      

s         
1

1   
V

V   


  
1  
s       I            U
U     T
T       Qq
Q     R
R     X
X     Y
Y   
P       q p #q p 	Qp #  U     
UU     
TT     
QQ     
RR     
XX     
YY   P         USU
S           T_TT
_         Q]Q
]                     RRR\	R		\	
R

\

R

\           X^XX
^         YVY
V      ] 	] 	
]       USS

S  \   S

S  ^ S         UUUU             Tt qTTT       R(
RT@P  T  U          TUTSUS                                               Q('QT 'FQTPFM TPMX
 PXY YQTPQT
 T QT
 TQTP TP
 P QTP TP
 P QT
 T    ',UYYS         QT
 T QT
 T   SS     VV   SS   11    VV      SS  1  S     UU    UU     J2   J2       00      UU#U#    XX    J2   J2         0RR    UU     QQ     PP   PP   J2   J2      TT     UU P             PWUWU   \P     UDU   CP      UU ,             UU      UU                             UVUVUVUVUV         TTTT       TTT                  S
S]]Ss 1$~ 1$Sp            ^S^SS^^   \              
U
:S:;U;TSTUUUtS      
T
tT     $9P;DP  UtS  UtT                5U5MvxMU         CM00SS0         PVVP     MSPS       MW~WeUe~~    M\\      MSPS        MW~WeUe~~   M11   M\\   MyI   yI          MW~WeUe~~  Mf1      MW~WeUef~  V      ~U~ S V     ~U~ 1 S J        ~U~  1      ~U~ 0     ~U~  S  0      ~U~ 1 S K        ~U~  1      ~U~      0SsS ~                     UVUVUU             T\T\TT           QSs p SSQ         R^^R          0]]P0     PP            UMVMYUYtVtyU            TM\MYTYt\tyT            Q+S+.s p .MSYtStyQ          RM^Yt^tyR         0M]Yl]ty0       0P@MPYdP             UU                               TVTVTTVTVTVTVTV        0U } "} UU } "U } "             SSSSPS s 4&8$8&             USUSUU             T\T\TT          0s UU s "s U	s U#s U       PVV              UOSOUSUU                TVTTVTT        OO0Ogs UglU s "s U0         /P/@\P\ i                     USUSUS      TT         PVVV   T   P   T   S      VVV    } }      SSS    ss      VVV    } }      SSS  V  S S              USU     u s u s #u s    P         USUSU   P  \       p|U|SU                    -U-2U2;P;GUGPUPYUYbUbgPgnU                  -T-2T2?T?GTGVTVYTYkTknT                 UVUV         TSTS         Q\Q\        P^P^  _    SS       PRR           PTTTP           p r PQtr 
tT} "|        Pt tr .| . t tT} "| .| .   V   1   
n      m      \     ST        PR
T} "| 
T} "|           UEVEFUFV      TT            Q'U'FQFjUjQ          /R/FRFRR   0?P     
U'VFV      
'RFRR    
'p   Fp       
'p   Fp           
Q'UFjUjQ      
T'TFT             !'P'/Tv"QFSPS{T{Qs Tv"Q   pU T Q p    p      RR         ; ;`    

 	

 




 


 


 


     

 

 

 

                '',`t        

 

            @         P P  #           2                    
'P                                                                                        !     @              7     r             C     m              j                   v     m                                                                          r                  B                  @      W                  W                   u                             s                             .          `      F    PB             \    B             r    pB                 q      P                                         r    0D                                    D             \    PD                                F    D                 pD                                                       P&      t           D      
                                             #                   -                   5    E             ;                   D                   L                       F      $       U                   f                                       w    P                                       %      4           03      9           2      *           .               
 5                  @,                  "      P          $             
     ,             "     .             ,    ,      _       8    !             E    0&             Z    !             g    p$             y    `q                  p3      V           2      k           &                0                !      E           P,      y           m                  p4      @      
     2      n       #    %      4       8    0-             D     G              W    r              c    o              y    (      x          3             I   	                    %                 @&                                                                                                                       1                     C                  O                     a                     w                                                                                                                                                                                             &                                          8                     L                     _                     r                                                                                                                                                                             r             $                     E                     b                     Y                     m                                                                                                                                                                                                                     1  "                    crtstuff.c deregister_tm_clones __do_global_dtors_aux completed.0 __do_global_dtors_aux_fini_array_entry frame_dummy __frame_dummy_init_array_entry protect.c compare_ranges check_write region_list __PRETTY_FUNCTION__.4 protect_zero protect_trim protect_pwrite protect_unload range_list protect_config protect_config_complete __PRETTY_FUNCTION__.1 __PRETTY_FUNCTION__.3 __PRETTY_FUNCTION__.2 filter regions.c append_one_region append_padding __PRETTY_FUNCTION__.0 cleanup.c cleanup-nbdkit.c device-size.c valid_offset environ.c exit-with-parent.c full-rw.c quote.c hex.0 string.c utils.c vector.c windows-compat.c windows-errors.c __FRAME_END__ cleanup_rwlock_unlock make_temporary_directory set_cloexec c_string_quote _fini can_exit_with_parent append_region_va append_region_end set_exit_with_parent uri_quote full_pwrite init_regions cleanup_extents_free free_regions append_region_len __dso_handle is_shell_variable set_nonblock device_size string_append_format find_region full_pread _DYNAMIC generic_vector_reserve_page_aligned exit_status_to_nbd_error cleanup_mutex_unlock shell_quote __GNU_EH_FRAME_HDR __TMC_END__ _GLOBAL_OFFSET_TABLE_ copy_environ generic_vector_reserve cleanup_free cleanup_exports_free free@GLIBC_2.2.5 __errno_location@GLIBC_2.2.5 strncmp@GLIBC_2.2.5 _ITM_deregisterTMCloneTable nbdkit_extents_free qsort@GLIBC_2.2.5 filter_init fcntl@GLIBC_2.2.5 vasprintf@GLIBC_2.2.5 strlen@GLIBC_2.2.5 strchr@GLIBC_2.2.5 lseek@GLIBC_2.2.5 __assert_fail@GLIBC_2.2.5 fputs@GLIBC_2.2.5 nbdkit_exports_free ioctl@GLIBC_2.2.5 close@GLIBC_2.2.5 strspn@GLIBC_2.2.5 fputc@GLIBC_2.2.5 strndup@GLIBC_2.2.5 memcmp@GLIBC_2.2.5 strcmp@GLIBC_2.2.5 nbdkit_error nbdkit_parse_uint64_t fprintf@GLIBC_2.2.5 __gmon_start__ memcpy@GLIBC_2.14 prctl@GLIBC_2.2.5 pthread_mutex_unlock@GLIBC_2.2.5 malloc@GLIBC_2.2.5 protect_debug_write pthread_rwlock_unlock@GLIBC_2.34 realloc@GLIBC_2.2.5 mkdtemp@GLIBC_2.2.5 pwrite@GLIBC_2.2.5 memmove@GLIBC_2.2.5 sysconf@GLIBC_2.2.5 pread@GLIBC_2.2.5 exit@GLIBC_2.2.5 posix_memalign@GLIBC_2.2.5 _ITM_registerTMCloneTable strdup@GLIBC_2.2.5 nbdkit_debug fstat@GLIBC_2.33 __cxa_finalize@GLIBC_2.2.5  .symtab .strtab .shstrtab .note.gnu.build-id .gnu.hash .dynsym .dynstr .gnu.version .gnu.version_r .rela.dyn .rela.plt .init .plt.got .text .fini .rodata .eh_frame_hdr .eh_frame .init_array .fini_array .dynamic .got.plt .data .bss .comment .debug_aranges .debug_info .debug_abbrev .debug_line .debug_str .debug_line_str .debug_loclists .debug_rnglists                                                                                 8      8      $                              .   o       `      `      (                             8                                                   @                         8                             H   o       @	      @	      `                            U   o       	      	      P                            d             	      	                                 n      B                                             x                                                         s                                                       ~                                                                               "                                          5      5      	                                            @       @                                                 G      G      \                                          `H      `H                                                m      ]                                                m      ]                                                m      ]                                              o      _      (                                          o      _      `                                         `q      `a      p                                           r      b      X                                    0               b      '                                                   b                                                         we      bs                                                                                                                c                             &     0               :                                 1     0               0                                 A                     4     )-                             Q                     a     9                                                   d           "   W                 	                      xq     L                                                   y     a                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                     Caml1999I030    !
  O  |)*UnixLabels%error@  8 @@%E2BIG R@@.unixLabels.mlimm@@A&EACCES S@@
nn@@B&EAGAIN T@@o
o
@@#C%EBADF U@@pUWpU^@@,D%EBUSY V@@%q&q@@5E&ECHILD W@@.r/r@@>F'EDEADLK X@@7s8s@@GG$EDOM Y@@@t	)	+At	)	1@@PH&EEXIST Z@@Iu	n	pJu	n	x@@YI&EFAULT [@@Rv		Sv		@@bJ%EFBIG \@@[w		\w		@@kK%EINTR ]@@dx		ex		@@tL&EINVAL ^@@my
0
2ny
0
:@@}M#EIO _@@vz
`
bwz
`
g@@N&EISDIR `@@{

{

@@O&EMFILE a@@|

|

@@P&EMLINK b@@}}@@Q,ENAMETOOLONG c@@~02~0@@@R&ENFILE d@@acak@@S&ENODEV e@@ @ @@@T&ENOENT f@@ A A@@U'ENOEXEC g@@ B	 B	@@V&ENOLCK h@@ C?A C?I@@W&ENOMEM i@@ Dqs Dq{@@X&ENOSPC j@@ E E@@Y&ENOSYS k@@ F F@@Z'ENOTDIR l@@ G

 G

@@[)ENOTEMPTY m@@ H
>
@ H
>
K@@\&ENOTTY n@@ I
q
s I
q
{@@
]%ENXIO o@@ J

 J

@@^%EPERM p@@ K

 K

@@_%EPIPE q@@ L$& L$-@@(`&ERANGE r@@! MOQ" MOY@@1a%EROFS s@@* N+ N@@:b&ESPIPE t@@3 O4 O@@Cc%ESRCH u@@< P= P@@Ld%EXDEV v@@E Q F Q'@@Ue+EWOULDBLOCK w@@N RJLO RJY@@^f+EINPROGRESS x@@W SX S@@gg(EALREADY y@@` Ta T@@ph(ENOTSOCK z@@i Uj U@@yi,EDESTADDRREQ {@@r V35s V3C@@j(EMSGSIZE |@@{ Woq| Wo{@@k*EPROTOTYPE }@@ X X@@l+ENOPROTOOPT ~@@ Y Y@@m/EPROTONOSUPPORT @@ Z Z&@@n/ESOCKTNOSUPPORT @@ [IK [I\@@o*EOPNOTSUPP @@ \ \@@p,EPFNOSUPPORT @@ ] ]@@q,EAFNOSUPPORT @@ ^  ^ @@r*EADDRINUSE @@ _OQ _O]@@s-EADDRNOTAVAIL @@ ` `@@t(ENETDOWN @@ a a@@u+ENETUNREACH @@ b b@@v)ENETRESET @@ c(* c(5@@w,ECONNABORTED @@ dkm dk{@@ x*ECONNRESET @@ e e@@	y'ENOBUFS @@ f f@@z'EISCONN @@ g g'@@{(ENOTCONN @@ hWY hWc@@$|)ESHUTDOWN @@ i i@@-},ETOOMANYREFS @@& j' j@@6~)ETIMEDOUT @@/ k0 k@@?,ECONNREFUSED @@8 lCE9 lCS@@H @)EHOSTDOWN @@A muwB mu@@Q A,EHOSTUNREACH @@J nK n@@Z B%ELOOP @@S oT o@@c C)EOVERFLOW @@\ p] p@@l D+EUNKNOWNERR #intA@@ @@@l rZ\m rZp@@| E@@A$Unix%error@@ @@@@@yl
@@@@@A@ *Unix_errorA    #exnG@@@ @Π&stringO@@ @͠@@ @@@A&_none_@@ A@ FB@-error_messageB@@@ @@@ @@ @@  @@ G@1handle_unix_errorC@@!a @!b @@ @@
@ @@ @@ 44 4b@@ H@+environmentD@$unitF@@ @%arrayHK@@ @@@ @@ @@ NN Nt@@ I@2unsafe_environmentE@@@ @c@@ @@@ @@ @@ $$ $Q@@ J@&getenvF@s@@ @w@@ @@ @@  @@ K@-unsafe_getenvG@@@ @@@ @@ @@  @@) L@&putenvH@@@ @@@@ @d@@ @@ @@ @@2 3 @@B M@.process_statusI  8 @@'WEXITED ʐ@@ @@@F   G  !@@V O)WSIGNALED ː@@ @@@T !l!nU !l!@@d P(WSTOPPED ̐@@ @@@b !!c !!@@r Q@@A.process_status@@ @@@@@m   @@@@| NA@)wait_flagJ  8 @@'WNOHANG ΐ@@{ #+#/| #+#6@@ S)WUNTRACED ϐ@@ ## ##@@ T@@A)wait_flag@@ @@@@@ #	#	@@A@ RA@%execvK$prog@@ @$argsӠ@@ @@@ @!a @@ @@ @@ $	$	 $	$;@@ U@&execveL$prog2@@ @$args>@@ @@@ @#envK@@ @@@ @!a @@ @@ @@ @@ %H%H %H%@@ V@&execvpM$proga@@ @$args$m@@ @@@ @ !a @@ @@ @@ %% %&1@@ W@'execvpeN$prog@@ @$argsF@@ @@@ @#envS@@ @@@ @!a @	@ @
@ @@ @@0 &&1 &&@@@ X@$forkO@q@@ @
@@ @@ @@C ''D ''.@@S Y@$waitP@@@ @@@ @%@@ @@ @@ @@^ ''_ '(@@n Z@'waitpidQ$mode$listI@@ @@@ @@@@ @@@ @*@@ @@ @@ @@ @@ (( ((@@ [@&systemR@@@ @<@@ @@ @@ ** **@@ \@%_exitS@>@@ @ !a @!@ @"@,,,-@@ ]@&getpidT@@@ @#U@@ @$@ @%@0000@@ ^@'getppidU@ @@ @&h@@ @'@ @(@1111@@ _@$niceV@w@@ @){@@ @*@ @+@$11$11@@ `@*file_descrW  8 @@@A~*file_descr@@ @,@@@@.22.22@@@@ aA@%stdinX@@ @-@122123@@ b@&stdoutY
@@ @.@43.3.43.3E@@ c@&stderrZ@@ @/@73r3r73r3@@* d@)open_flag[  8 @@(O_RDONLY @@);33*;33@@9 f(O_WRONLY @@2<443<44@@B g&O_RDWR @@;=4H4J<=4H4R@@K h*O_NONBLOCK @@D>44E>44@@T i(O_APPEND @@M?44N?44@@] j'O_CREAT @@V@55W@55@@f k'O_TRUNC @@_A5A5C`A5A5L@@o l&O_EXCL @@hB55iB55@@x m(O_NOCTTY @@qC55rC55@@ n'O_DSYNC @@zD66{D66@@ o&O_SYNC @@F66F66@@ p'O_RSYNC @@H7$7&H7$7/@@ q.O_SHARE_DELETE @@J77J77@@ r)O_CLOEXEC @@L8-8/L8-8:@@ s*O_KEEPEXEC @@P9294P929@@@ t@@A;)open_flag@@ @0@@@@:33@@A@ eA@)file_perm\  8 @@@AU@@ @1@@@@U99U99@@A@ uA@(openfile]@?@@ @2$modeg@@ @3@@ @4$perm+@@ @5@@ @6@ @7@ @8@ @9@Y:g:gY:g:@@ v@%close^@@@ @:*@@ @;@ @<@^;o;o^;o;@@ w@%fsync_@@@ @=<@@ @>@ @?@
a;;a;;@@ x@$read`@@@ @@#buf%bytesC@@ @A#pos@@ @B#len@@ @C@@ @D@ @E@ @F@ @G@ @H@6f<<7f<<D@@F y@%writea@C@@ @I#buf,@@ @J#pos@@ @K#len@@ @L@@ @M@ @N@ @O@ @P@ @Q@`k=
=
ak=
=J@@p z@,single_writeb@m@@ @R#bufV@@ @S#pos@@ @T#len@@ @U @@ @V@ @W@ @X@ @Y@ @Z@r>{>{r>{>@@ {@/write_substringc@@@ @[#buf@@ @\#pos>@@ @]#lenF@@ @^J@@ @_@ @`@ @a@ @b@ @c@w?W?Ww?W?@@ |@6single_write_substringd@@@ @d#buf;@@ @e#posh@@ @f#lenp@@ @gt@@ @h@ @i@ @j@ @k@ @l@|@@}@,@c@@ }@3in_channel_of_descre@@@ @m&Stdlib*in_channel@@ @n@ @o@AAAAJ@@ ~@4out_channel_of_descrf@@@ @p+out_channel@@ @q@ @r@FpFpFpF@@ @3descr_of_in_channelg@&*in_channel@@ @s@@ @t@ @u@JiJiJiJ@@* @4descr_of_out_channelh@9+out_channel@@ @v,@@ @w@ @x@-JJ.JK@@= @,seek_commandi  8 @@(SEEK_SET @@<KK=KK@@L (SEEK_CUR @@EKKFKK@@U (SEEK_END @@NL8L:OL8LD@@^ @@A,seek_command@@ @y@@@@YKyKy@@A@h A@%lseekj@e@@ @z@@@ @{$mode@@@ @|@@ @}@ @~@ @@ @@xLLyLL@@ @(truncatek@@@ @#len%@@ @@@ @@ @@ @@MaMaMaM@@ @)ftruncatel@@@ @#len?@@ @@@ @@ @@ @@MMMM@@ @)file_kindm  8 @@%S_REG@@NNNN@@ %S_DIR@@NNNN@@ %S_CHR@@NNNN@@ %S_BLK@@OOOO%@@ %S_LNK	@@OPOROPOY@@ &S_FIFO
@@OOOO@@ &S_SOCK@@OOOO@@ @@A)file_kind@@ @@@@@N]N]@@A@ A@%statsn  8 @@&st_dev
@@@ @P PP P@@ &st_ino@@@ @P5P9P5PF@@* 'st_kind@r@@ @&PiPm'PiP@@6 'st_perm@O@@ @1PP2PP@@A (st_nlink@@@ @=PP>PP@@M &st_uid@@@ @IQ
QJQ
Q@@Y &st_gid@@@ @UQIQMVQIQZ@@e 'st_rdev@@@ @aQQbQQ@@q 'st_size@@@ @mQQnQQ@@} (st_atime@%floatD@@ @{RR	|RR@@ (st_mtime@@@ @R=RAR=RR@@ (st_ctime@@@ @R{RR{R@@ @@A'%stats@@ @@@@@OORR@@@@ A@$stato@@@ @@@ @@ @@RRRS@@ @%lstatp@1@@ @@@ @@ @@SCSCSCS^@@ @%fstatq@@@ @$@@ @@ @@SSSS@@ @&isattyr@@@ @$boolE@@ @@ @@TETETETd@@ @Ӡ)LargeFiles@%lseek@@@ @@%int64M@@ @$mode@@ @
@@ @@ @@ @@ @@	UU	UU[@@	 @(truncate@@@ @#len$@@ @\@@ @@ @@ @@	*	UuUy	+	UuU@@	: @)ftruncate@7@@ @#len>@@ @v@@ @@ @@ @@	DUU	EUU@@	T @%stats  8 @@&st_dev!@@@ @	VV9VA	WV9VN@@	f &st_ino"@@@ @	bVrVz	cVrV@@	r 'st_kind#@H@@ @	mVV	nVV@@	} 'st_perm$@@@ @	xVV	yVW@@	 (st_nlink%@@@ @	WW'	WW6@@	 &st_uid&@&@@ @	WZWb	WZWo@@	 &st_gid'@2@@ @	WW	WW@@	 'st_rdev(@>@@ @	WW	WW@@	 'st_size)@@@ @	X)X1	X)XA@@	 (st_atime*@G@@ @	XbXj	XbX{@@	 (st_mtime+@S@@ @	XX	XX@@	 (st_ctime,@_@@ @	XX	XX@@	 @@Am)LargeFile%stats@@ @@@@@	VV	Y#Y*@@@@	 A@$stat@e@@ @@@ @@ @@	Y+Y/	Y+YI@@
 @%lstat@x@@ @@@ @@ @@

YJYN
YJYi@@
 @%fstat@@@ @$@@ @@ @@
YjYn
YjY@@
+ @@@
UU
  YY@
/ @@(map_filet@,@@ @#pos&optionJ9@@ @@@ @$kindU(Bigarray$kind!a @֠!b @@@ @&layoutk(Bigarray&layout!c @@@ @&shared@@ @$dims
@@ @@@ @(Bigarray(Genarray!t:6&@@ @@ @@ @@ @@ @@ @@ @@
.[[
3\u\@@
 @&unlinku@@@ @@@ @@ @@
feueu
feue@@
 @&renamev#src@@ @#dst"@@ @@@ @@ @@ @@
pfUfU
pfUf@@
 @$linkw&follow@@ @@@ @#srcC@@ @#dstK@@ @@@ @@ @@ @@ @@
xgg
yh&hQ@@
 @(realpathx@^@@ @b@@ @@ @@
jj
jj@@ @1access_permissiony  8 @@$R_OK@@ kkkk@@ $W_OK	@@	kk
kk@@ $X_OK
@@l%l'l%l-@@" $F_OK@@lalclali@@+ @@A1access_permission@@ @@@@@&kk@@A@5 A@%chmodz@@@ @$permY@@ @q@@ @@ @@ @@?ll@ll@@O @&fchmod{@L@@ @$permr@@ @@@ @@ @@ @@XmmYmmK@@h @%chown|@@@ @#uid	@@ @#gid	
@@ @@@ @@ @ @ @@ @@{mm|mm@@ @&fchown}@@@ @#uid	'@@ @#gid	/@@ @@@ @@ @@ @@ @	@n1n1n1nf@@ @%umask~@	B@@ @
	F@@ @@ @@nnnn@@ @&access@	0@@ @
$permX@@ @@@ @	@@ @@ @@ @@oUoUoUo@@ @#dup'cloexec@@ @@@ @@@@ @@@ @@ @@ @@pppp@@ @$dup2'cloexecɠ@@ @@@ @#src@@ @#dst@@ @	F@@ @@ @@ @@ @ @qqqr@@$ @,set_nonblock@!@@ @!	X@@ @"@ @#@&rr'rr@@6 @.clear_nonblock@3@@ @$	j@@ @%@ @&@8t[t[9t[t@@H @1set_close_on_exec@E@@ @'	|@@ @(@ @)@JttKtu@@Z @3clear_close_on_exec@W@@ @*	@@ @+@ @,@\]@@l @%mkdir@	@@ @-$perm@@ @.	@@ @/@ @0@ @1@v  -  -w  -  Y@@ @%rmdir@	@@ @2	@@ @3@ @4@        @@ @%chdir@
	@@ @5	@@ @6@ @7@        @@ @&getcwd@	@@ @8
 @@ @9@ @:@  '  '  '  B@@ @&chroot@
/@@ @;	@@ @<@ @=@  }  }  }  @@ @*dir_handle  8 @@@A
[*dir_handle@@ @>@@@@        @@@@ A@'opendir@
R@@ @?@@ @@@ @A@"  A  A"  A  c@@ @'readdir@@@ @B
h@@ @C@ @D@%    %    @@
 @)rewinddir@!@@ @E
;@@ @F@ @G@
	)  $  $
)  $  F@@
 @(closedir@3@@ @H
M@@ @I@ @J@
,    
,    @@
+ @$pipe'cloexecI@@ @K@@ @L@
h@@ @M;@@ @O?@@ @N@ @P@ @Q@ @R@
@4    
A5  :  d@@
P @&mkfifo@
@@ @S$permt@@ @T
@@ @U@ @V@ @W@
Z<  z  z
[<  z  @@
j @.create_process$prog
@@ @X$args

@@ @Y@@ @Z%stdin~@@ @[&stdout@@ @\&stderr@@ @]'@@ @^@ @_@ @`@ @a@ @b@ @c@
E  L  L
G    @@
 @2create_process_env$prog@@ @d$args
֠@@ @e@@ @f#env
,@@ @g@@ @h%stdin@@ @i&stdout@@ @j&stderr@@ @kk@@ @l@ @m@ @n@ @o@ @p@ @q@ @r@
U  r  r
W    
@@
 @/open_process_in@U@@ @s*in_channel@@ @t@ @u@
]    
]    @@
 @0open_process_out@i@@ @v+out_channel@@ @w@ @x@
j  x  x
j  x  @@
 @,open_process@}@@ @y#*in_channel@@ @{)+out_channel@@ @z@ @|@ @}@u    u    @@* @1open_process_full@@@ @~#env]@@ @@@ @M*in_channel@@ @S+out_channel@@ @Y*in_channel@@ @@ @@ @@ @@J~  U  UK  m  @@Z @4open_process_args_in@@@ @@@@ @@@ @x*in_channel@@ @@ @@ @@i  9  9j  9  x@@y @5open_process_args_out@@@ @@@@ @@@ @+out_channel@@ @@ @@ @@        @@ @1open_process_args@@@ @@ɠ@@ @@@ @*in_channel@@ @+out_channel@@ @@ @@ @@ @@  =  =  =  @@ @6open_process_args_full@0@@ @@:@@ @@@ @@E@@ @@@ @*in_channel@@ @+out_channel@@ @*in_channel@@ @@ @@ @@ @@ @@      
  3@@ @.process_in_pid@*in_channel@@ @@@ @@ @@  N  N  N  t@@
 @/process_out_pid@+out_channel@@ @@@ @@ @@        @@! @+process_pid@3*in_channel@@ @9+out_channel@@ @@ @@@ @@ @@.    /    @@> @0process_full_pid@P*in_channel@@ @V+out_channel@@ @\*in_channel@@ @@ @@@ @@ @@Q  (  (R  (  k@@a @0close_process_in@p*in_channel@@ @@@ @@ @@d    e    @@t @1close_process_out@+out_channel@@ @@@ @@ @@w    x    @@ @-close_process@*in_channel@@ @+out_channel@@ @@ @6@@ @@ @@  g  g  g  @@ @2close_process_full@*in_channel@@ @Š+out_channel@@ @Ġ*in_channel@@ @@ @X@@ @@ @@  /  /  H  @@ @'symlink&to_dir@@ @@@ @#src
C@@ @#dst
K@@ @
@@ @@ @@ @@ @@  -  -  p  @@ @+has_symlink@
@@ @@@ @@ @@  >  >  >  \@@ @(readlink@
q@@ @
u@@ @@ @@	    	    @@ @&select$read@@ @@@ @%write#@@ @@@ @&except/@@ @@@ @'timeout@@ @ѠB@@ @@@ @ڠK@@ @@@ @T@@ @@@ @@ @@ @@ @@ @@ @@V    W  V  @@f @,lock_command  8 @@'F_ULOCK;@@e!  A  Ef!  A  L@@u &F_LOCK<@@n"  j  lo"  j  t@@~ 'F_TLOCK=@@w#    x#    @@ &F_TEST>@@$    
$    @@ 'F_RLOCK?@@%  G  I%  G  R@@ (F_TRLOCK@@@&    &    @@ @@A&,lock_command@@ @@@@@     @@A@ A@%lockf@@@ @$modeU@@ @#lenP@@ @
@@ @@ @@ @@ @@)    )    B@@ @$kill#pide@@ @&signalm@@ @
@@ @@ @@ @@O    O    7@@ @3sigprocmask_command  8 @@+SIG_SETMASKD@@V    V    @@ )SIG_BLOCKE@@W    W    !@@ +SIG_UNBLOCKF@@X  "  $X  "  1@@ @@A3sigprocmask_command@@ @@@@@U    @@A@ A@+sigprocmask$mode5@@ @@@@ @@@ @@@ @@@ @@ @@ @@+Z  3  3,Z  3  u@@; @*sigpending@l@@ @Ϡ@@ @@@ @ @ @@Cj    Dj    4@@S @*sigsuspend@@@ @@@ @@@ @@ @@[o    \o    @@k @%pause@@@ @@@ @@ @@nv    ov    @@~ @-process_times  8 @@)tms_utimeL@	@@ @        @@ )tms_stimeM@	@@ @    !    3@@*tms_cutimeN@	@@ @
  X  \  X  o@@*tms_cstimeO@	+@@ @	        @@@AA8-process_times@@ @
@@@@        @@@@ A@"tm  8 @@&tm_secQ@W@@ @  0  4  0  A@@&tm_minR@c@@ @  e  i  e  v@@'tm_hourS@o@@ @        @@'tm_mdayT@{@@ @        @@&tm_monU@@@ @        @@	'tm_yearV@@@ @  B  F  B  T@@

'tm_wdayW@@@ @	  u  y
  u  @@'tm_ydayX@@@ @        @@%(tm_isdstY@	;@@ @!    "    @@1
@@A"tm@@ @@@@@,    -  7  :@@@@<A@$time@m@@ @	@@ @@ @@?  |  |@  |  @@O@,gettimeofday@@@ @	@@ @@ @@R    S    @@b@&gmtime@	@@ @@@ @@ @ @e  J  Jf  J  b@@u@)localtime@	@@ @!@@ @"@ @#@w    x    @@@&mktime@!@@ @$
@@ @&,@@ @%@ @'@ @(@  R  R  R  o@@@%alarm@5@@ @)9@@ @*@ @+@  ]  ]  ]  s@@@%sleep@H@@ @,@@ @-@ @.@        @@@&sleepf@
L@@ @/@@ @0@ @1@  ,  ,  ,  F@@@%times@
@@ @2g@@ @3@ @4@        @@@&utimes@\@@ @5&access
z@@ @6%modif
@@ @71@@ @8@ @9@ @:@ @;@  y  y   y  Ƴ@@@.interval_timer  8 @@+ITIMER_REALe@@        @@.ITIMER_VIRTUALf@@  Y  [  Y  k@@'+ITIMER_PROFg@@     !    @@0@@A.interval_timer@@ @<@@@@+    @@A@:A@5interval_timer_status  8 @@+it_intervali@
@@ @><    =    @@L(it_valuej@
@@ @=H  %  )I  %  :@@X@AA5interval_timer_status@@ @?@@@@S  ɼ  ɼT  h  k@@@@cA@)getitimer@\@@ @@5@@ @A@ @B@f  ʨ  ʨg  ʨ  @@v@)setitimer@@@ @C@@@ @D@@ @E@ @F@ @G@|  @  @}  P  ˒@@ @&getuid@@@ @H%@@ @I@ @J@  ͣ  ͣ  ͣ  ͻ@@!@'geteuid@@@ @K8@@ @L@ @M@        7@@"@&setuid@G@@ @N@@ @O@ @P@  Ο  Ο  Ο  η@@#@&getgid@@@ @Q^@@ @R@ @S@        5@@$@'getegid@	@@ @Tq@@ @U@ @V@  ϙ  ϙ  ϙ  ϲ@@%@&setgid@@@ @W @@ @X@ @Y@        3@@&@)getgroups@/@@ @Z-@@ @[@@ @\@ @]@  Л  Л  Л  м@@'@)setgroups@A@@ @^@@ @_P@@ @`@ @a@  ;  ;  ;  \@@.(@*initgroups@@@ @b@@@ @ci@@ @d@ @e@ @f@7    8    #@@G)@,passwd_entry  8 @@'pw_namew@@@ @mI&  O  SJ&  O  d@@Y+)pw_passwdx@@@ @lU'  e  iV'  e  |@@e,&pw_uidy@@@ @ka(  }  Ӂb(  }  ӎ@@q-&pw_gidz@@@ @jm)  ӏ  ӓn)  ӏ  Ӡ@@}.(pw_gecos{@@@ @iy*  ӡ  ӥz*  ӡ  ӷ@@/&pw_dir|@@@ @h+  Ӹ  Ӽ+  Ӹ  @@0(pw_shell}@@@ @g,    ,    @@1@@A%,passwd_entry@@ @n@@@@%  '  '-    @@@@*A@+group_entry  8 @@'gr_name@@@ @s1  D  H1  D  Y@@3)gr_passwd@+@@ @r2  Z  ^2  Z  q@@4&gr_gid@\@@ @q3  r  v3  r  ԃ@@5&gr_mem@G@@ @o@@ @p4  Ԅ  Ԉ4  Ԅ  ԝ@@6@@Ak+group_entry@@ @t@@@@0    5  Ԟ  ԡ@@@@2A@(getlogin@#@@ @uf@@ @v@ @w@8    8    @@7@(getpwnam@u@@ @x@@ @y@ @z@;  8  8	;  8  ]@@8@(getgrnam@@@ @{x@@ @|@ @}@?    ?    @@+9@(getpwuid@@@ @~&@@ @@ @@-D  w  w.D  w  ֙@@=:@(getgrgid@@@ @%@@ @@ @@?I    @I    9@@O;@)inet_addr  8 @@@A)inet_addr@@ @@@@@OR    PR    @@@@_<A@3inet_addr_of_string@@@ @@@ @@ @@bU  *  *cU  *  W@@r=@3string_of_inet_addr@@@ @@@ @@ @@t]    u]    @@>@-inet_addr_any@@ @@b  ڑ  ڑb  ڑ  ڮ@@?@2inet_addr_loopback+@@ @@f  5  5f  5  W@@@@.inet6_addr_any7@@ @@i  ۤ  ۤi  ۤ  @@A@3inet6_addr_loopbackC@@ @@m  I  Im  I  l@@B@-is_inet6_addr@Q@@ @@@ @@ @@p  ܳ  ܳp  ܳ  @@C@-socket_domain  8 @@'PF_UNIX@@x  d  hx  d  o@@E'PF_INET@@y  ݗ  ݙy  ݗ  ݢ@@F(PF_INET6@@z    z    @@G@@Ak-socket_domain@@ @@@@@w  :  :@@A@DA@+socket_type  8 @@+SOCK_STREAM@@        @@ I*SOCK_DGRAM@@         @@	J(SOCK_RAW@@  5  7  5  A@@K.SOCK_SEQPACKET@@  g  i  g  y@@L@@A+socket_type@@ @@@@@  ޣ  ޣ@@A@%HA@(sockaddr  8 @@)ADDR_UNIX@@ @@@)    *    @@9N)ADDR_INET@@ @@@ @@@;    <    @@KO@@A(sockaddr@@ @@@@@F    @@@@UMA@&socket'cloexec!
s@@ @@@ @&domain@@ @$kind@@ @(protocol@@ @t@@ @@ @@ @@ @@ @@u    v  Y  @@P@2domain_of_sockaddr@h@@ @&@@ @@ @@        @@Q@*socketpair'cloexecc
@@ @@@ @&domainB@@ @$kindA@@ @(protocolH@@ @@@ @@@ @@ @@ @@ @@ @@ @@  %  %    @@R@&accept'cloexec
@@ @@@ @@@@ @@@ @]@@ @@ @@ @@ @@  ]  ]    @@S@$bind@@@ @$addrr@@ @+@@ @@ @@ @@        @@	T@'connect@@@ @$addr@@ @D@@ @@ @@ @@  +  +  +  \@@"U@&listen@@@ @#max@@ @^@@ @@ @@ @@,    -    @@<V@0shutdown_command  8 @@0SHUTDOWN_RECEIVE@@;  ^  b<  ^  r@@KX-SHUTDOWN_SEND@@D    E    @@TY,SHUTDOWN_ALL@@M    N    @@]Z@@A0shutdown_command@@ @@@@@X  .  .@@A@gWA@(shutdown@d@@ @$mode:@@ @@@ @@ @@ @@q  2  2r  2  l@@[@+getsockname@~@@ @@@ @@ @@        @@\@+getpeername@@@ @@@ @@ @@        @@]@(msg_flag  8 @@'MSG_OOB@@  x  |  x  @@_-MSG_DONTROUTE@@        @@`(MSG_PEEK@@        @@a@@AH(msg_flag@@ @@@@@  X  X@@A@^A@$recv@@@ @#buf@@ @#posr@@ @#lenz@@ @$mode}V@@ @@@ @@@ @@ @@ @@ @@ @@ @@        B@@b@(recvfrom@@@ @#buf@@ @#pos@@ @#len@@ @$mode7@@ @@@ @@@ @@@ @@ @@ @@ @@ @@ @@ @@2  q  q3    @@Bc@$send@?@@ @#buf(@@ @#pos@@ @#len@@ @$modet@@ @@@ @@@ @@ @@ @@ @@ @@ @@h  
  
i    d@@xd@.send_substring@u@@ @#buf@@ @#pos@@ @#len$@@ @$mode'@@ @@@ @ 4@@ @@ @@ @@ @@ @@ @@        @@e@&sendto@@@ @#buf@@ @#posR@@ @	#lenZ@@ @
$mode]@@ @@@ @$addrT@@ @
q@@ @@ @@ @@ @@ @@ @@ @@  ]  ]    @@f@0sendto_substring@@@ @#bufb@@ @#pos@@ @#len@@ @$mode@@ @@@ @@@@ @@@ @@ @@ @@ @@ @ @ @!@ @"@      X  l@@&g@2socket_bool_option  8 @@(SO_DEBUG@@%  +  /&  +  7@@5i,SO_BROADCAST@@.  b  d/  b  r@@>j,SO_REUSEADDR@@7    8    @@Gk,SO_KEEPALIVE@@@    A    @@Pl,SO_DONTROUTE@@I    J    $@@Ym,SO_OOBINLINE@@R  U  WS  U  e@@bn-SO_ACCEPTCONN@@[    \    @@ko+TCP_NODELAY@@d    e    @@tp)IPV6_ONLY@@m     n     &@@}q,SO_REUSEPORT@@v  d  fw  d  t@@r@@A
2socket_bool_option@@ @#@@@@    @@A@hA@1socket_int_option  8 @@)SO_SNDBUF@@  z  ~  z  @@t)SO_RCVBUF@@        @@u(SO_ERROR@@	    	    @@v'SO_TYPEÐ@@
    
    '@@w+SO_RCVLOWATĐ@@  K  M  K  Z@@x+SO_SNDLOWATŐ@@        @@y@@AP1socket_int_option@@ @$@@@@  H  H@@A@sA@4socket_optint_option  8 @@)SO_LINGERǐ@@        @@{@@Ai4socket_optint_option@@ @%@@@@    @@A@zA@3socket_float_option  8 @@+SO_RCVTIMEOɐ@@  ^  b  ^  m@@}+SO_SNDTIMEOʐ@@        @@~@@A3socket_float_option@@ @&@@@@  (  (@@A@|A@*getsockopt@@@ @'@@@ @(3@@ @)@ @*@ @+@!    !    @@)@*setsockopt@&@@ @,@@@ @-@L@@ @.h@@ @/@ @0@ @1@ @2@6%  E  E7%  E  @@F@.getsockopt_int@C@@ @3@@@ @4@@ @5@ @6@ @7@N(    O(    @@^@.setsockopt_int@[@@ @8@@@ @9@@@ @:@@ @;@ @<@ @=@ @>@k+  H  Hl+  H  @@{@1getsockopt_optint@x@@ @?@@@ @@N@@ @A@@ @B@ @C@ @D@.    .    @@@1setsockopt_optint@@@ @E@@@ @F@l;@@ @G@@ @H@@ @I@ @J@ @K@ @L@2  n  n3    @@@0getsockopt_float@@@ @M@@@ @NI@@ @O@ @P@ @Q@7    7    \@@@0setsockopt_float@@@ @R@@@ @S@b@@ @T@@ @U@ @V@ @W@ @X@;    ;    @@@0getsockopt_error@@@ @Yk@@ @Z@@ @[@ @\@?  c  c?  c  @@@/open_connection@@@ @]*in_channel@@ @_ +out_channel@@ @^@ @`@ @a@F  !  !F  !  [@@!@3shutdown_connection@0*in_channel@@ @bW@@ @c@ @d@%T    &T    @@5@0establish_server@@F*in_channel@@ @e@M+out_channel@@ @ft@@ @g@ @h@ @i$addr@@ @j@@ @k@ @l@ @m@M\  N] * h@@]@*host_entry  8 @@&h_name@@@ @s_q  `q  @@o)h_aliases@@@ @q@@ @rpr  qr  @@*h_addrtype@@@ @p{s  |s  @@+h_addr_list@)@@ @n@@ @ot  t   @@@@A*host_entry@@ @t@@@@p h hu  @@@@A@.protocol_entry  8 @@&p_name@@@ @xy g ky g {@@)p_aliases@)@@ @v@@ @wz | z | @@'p_proto@[@@ @u{  {  @@@@AY.protocol_entry@@ @y@@@@x ; ;|  @@@@A@-service_entry  8 @@&s_name@S@@ @~    (@@)s_aliases@c@@ @|@@ @} ) - ) F@@&s_port@@@ @{ G K  G X@@'s_proto@|@@ @z Y ] Y m@@@@A-service_entry@@ @@@@@   n q@@@@&A@+gethostname @W@@ @ @@ @ @ @ @)  *  @@9@-gethostbyname@@@ @ @@ @ @ @ @<  =  @@L@-gethostbyaddr@@@ @ @@ @ @ @ @M  N  @@]@.getprotobyname@@@ @ @@ @ @ @ @` 	 	a 	 	D@@p@0getprotobynumber@@@ @ @@ @ @ @ @r 	 	s 	 	@@@-getservbyname@@@ @ (protocol@@ @ @@ @ @ @ @ @ @ 
M 
M 
M 
@@@-getservbyport@2@@ @ (protocol@@ @ @@ @ @ @ @ @ @ 
 
 
 .@@@)addr_info  8 @@)ai_family@W@@ @     @@+ai_socktype@Z@@ @     @@+ai_protocol@e@@ @  : > : P@@'ai_addr@W@@ @     @@,ai_canonname@W@@ @     @@@@Az)addr_info@@ @ @@@@    @@@@A@2getaddrinfo_option  8 @@)AI_FAMILY@@ @ @@ 
k 
o 
k 
@@+AI_SOCKTYPE@@ @ @@ 
 
 
 
@@!+AI_PROTOCOL@@ @ @@     @@/.AI_NUMERICHOST@@( O Q) O a@@8,AI_CANONNAME@@1  2  @@A*AI_PASSIVE@@: f h; f t@@J@@A2getaddrinfo_option@@ @ @@@@E 
7 
7@@@@TA@+getaddrinfo	@@@ @ @@@ @ @k@@ @ @@ @ @@ @ @@ @ @ @ @ @ @ @ @m  n ) h@@}@)name_info
  8 @@+ni_hostname@@@ @  j n j @@*ni_service@@@ @     @@@@A)name_info@@ @ @@@@ H H  @@@@A@2getnameinfo_option  8 @@)NI_NOFQDN@@ {  { @@.NI_NUMERICHOST@@    @@+NI_NAMEREQD @@    @@.NI_NUMERICSERV@@ C E C U@@(NI_DGRAM@@    @@@@A]2getnameinfo_option@@ @ @@@@ G G@@A@A@+getnameinfo@^@@ @ @xN@@ @ @@ @ |@@ @ @ @ @ @ @ % % % g@@ @+terminal_io
  8 @@(c_ignbrkA@@ @ ۰    @@(c_brkintA(@@ @ ڰ    @@(c_ignparA4@@ @ ٰ 6 : 6 R@@*(c_parmrkA@@@ @ ذ&  '  @@6'c_inpck	AL@@ @ װ2  3  @@B(c_istrip
AX@@ @ ְ>  ?  @@N'c_inlcrAd@@ @ հJ E IK E `@@Z'c_igncrAp@@ @ ԰V  W  @@f'c_icrnl
A|@@ @ Ӱb  c  @@r&c_ixonA@@ @ Ұn  o  @@~ 'c_ixoffA@@ @ Ѱz C G{ C ^@@à'c_opostA@@ @ а    @@Ġ'c_obaudA(@@ @ ϰ    @@Š'c_ibaudA4@@ @ ΰ T X T n@@Ơ'c_csizeA@@@ @ Ͱ    @@Ǡ(c_cstopbAL@@ @ ̰    @@Ƞ'c_creadA@@ @ ˰    .@@ɠ(c_parenbA@@ @ ʰ N R N j@@ʠ(c_paroddA@@ @ ɰ    @@ˠ'c_hupclA @@ @ Ȱ      @@̠(c_clocalA@@ @ ǰ   $   <@@͠&c_isigA@@ @ ư w { w @@Π(c_icanonA$@@ @ Ű
    @@Ϡ(c_noflshA0@@ @ İ  @  D  @  \@@&Р&c_echoA<@@ @ ð"    #    @@2Ѡ'c_echoeAH@@ @ °.    /    @@>Ҡ'c_echokAT@@ @ :	 ! !;	 ! !1@@JӠ(c_echonl A`@@ @ F
 !b !fG
 !b !~@@VԠ'c_vintr!A$charB@@ @ T ! !U ! !@@dՠ'c_vquit"A@@ @ `
 " "a
 " ".@@p֠(c_verase#A@@ @ l "Y "]m "Y "u@@|נ'c_vkill$A&@@ @ x " "y " "@@ؠ&c_veof%A2@@ @  " " " #@@٠&c_veol&A>@@ @  #? #C #? #Y@@ڠ&c_vmin'A2@@ @  # # # #@@۠'c_vtime(A>@@ @  $! $% $! $;@@ܠ(c_vstart)Ab@@ @  $i $m $i $@@ݠ'c_vstop*An@@ @  $ $ $ $@@@@AT+terminal_io@@ @ @@@@ k k $ $@@@@A@)tcgetattr@@@ @ @@ @ @ @ @ $ $ $ %$@@@,setattr_when  8 @@'TCSANOW-@@  % %  % %@@)TCSADRAIN.@@! % %! % %@@ )TCSAFLUSH/@@" % %" % %@@ @@A,setattr_when@@ @ @@@@ 	 % %@@A@ A@)tcsetattr@@@ @ $mode:@@ @ @G@@ @ Y@@ @ @ @ @ @ @ @ @ '$ % % ($ % &4@@ 7@+tcsendbreak@4@@ @ (duration@@ @ s@@ @ @ @ @ @ @ A0 ( ( B0 ( (G@@ Q@'tcdrain@N@@ @ @@ @ @ @ @ S7 ) ) T7 ) )0@@ c@+flush_queue  8 @@(TCIFLUSH4@@ b> ) ) c> ) )@@ r(TCOFLUSH5@@ k? ) ) l? ) )@@ {)TCIOFLUSH6@@ t@ ) ) u@ ) )@@ @@A+flush_queue@@ @ @@@@ = ) )@@A@ A@'tcflush@@@ @ $mode:@@ @ @@ @ @ @ @ @ @ B ) ) B ) *2@@ @+flow_action  8 @@&TCOOFF9@@ L + + L + +@@ %TCOON:@@ M + + M + +@@ &TCIOFF;@@ N + + N + +@@ %TCION<@@ O + + O + +@@ @@AV+flow_action@@ @ @@@@ K +z +z@@A@ A@&tcflow@@@ @ $modeC@@ @ @@ @ @ @ @ @ @ Q + + Q + +@@ @&setsid@'@@ @ @@ @ @ @ @ Z -L -L Z -L -d@@!	@@         q   [*UnixLabels0d_ &SA䠠$Unix0IĒ[zg/Stdlib__Complex0[4Z];f:0Stdlib__Bigarray0X0cO#W-,a&Stdlib0-&fºnr39tߠ8CamlinternalFormatBasics0ĵ'(jd@            @@Caml1999T030 8  s= +]   4 *UnixLabels*ocaml.text&_none_@@ A
  V Interface to the Unix system.

   To use the labeled version of this module, add [module Unix][ = ][UnixLabels]
   in your implementation.

   Note: all the functions of this module (except {!error_message} and
   {!handle_unix_error}) are liable to raise the {!Unix_error}
   exception whenever the underlying system call signals an error.
.unixLabels.mli_gkm@@@@@@  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G2 {1 Error report} BiooCio@@@@@@AA  ( %error QAMlNl@@  8 @@%E2BIG R@@WmXm@)ocaml.doci8 Argument list too long fmgm@@@@@@@~A&EACCES S@@onpn@3 Permission denied |n}n	@@@@@@@B&EAGAIN T@@o
o
@.	- Resource temporarily unavailable; try again o
"o
T@@@@@@@C%EBADF U@@pUWpU^@D5 Bad file descriptor pUmpU@@@@@@@D%EBUSY V@@qq@Z6 Resource unavailable qq@@@@@@@E&ECHILD W@@rr@p2 No child process rr@@@@@@@F'EDEADLK X@@ss@? Resource deadlock would occur s	s	(@@@@@@@G$EDOM Y@@t	)	+t	)	1@	' Domain error for math functions, etc.  t	)	At	)	m@@@@@@@H&EEXIST Z@@	u	n	p
u	n	x@- File exists u	n	u	n	@@@@@@@.I&EFAULT [@@v		 v		@Ȑ- Bad address ,v		-v		@@@@@@@DJ%EFBIG \@@5w		6w		@ސ0 File too large Bw		Cw		@@@@@@@ZK%EINTR ]@@Kx		Lx		@	  Function interrupted by signal Xx	

Yx	
/@@@@@@@pL&EINVAL ^@@ay
0
2by
0
:@
2 Invalid argument ny
0
Hoy
0
_@@@@@@@M#EIO _@@wz
`
bxz
`
g@ 4 Hardware I/O error z
`
xz
`
@@@@@@@N&EISDIR `@@{

{

@60 Is a directory {

{

@@@@@@@O&EMFILE a@@|

|

@L	$ Too many open files by the process |

|
@@@@@@@P&EMLINK b@@}}@b0 Too many links }}/@@@@@@@Q,ENAMETOOLONG c@@~02~0@@x3 Filename too long ~0H~0`@@@@@@@R&ENFILE d@@acak@	# Too many open files in the system aya@@@@@@@
S&ENODEV e@@ @ @@0 No such device  @	 @@@@@@@@ T&ENOENT f@@ A A@; No such file or directory  A A@@@@@@@6U'ENOEXEC g@@' B	( B	@А8 Not an executable file 4 B	!5 B	>@@@@@@@LV&ENOLCK h@@= C?A> C?I@搠4 No locks available J C?WK C?p@@@@@@@bW&ENOMEM i@@S DqsT Dq{@3 Not enough memory ` Dqa Dq@@@@@@@xX&ENOSPC j@@i Ej E@9 No space left on device v Ew E@@@@@@@Y&ENOSYS k@@ F F@(8 Function not supported  F F
@@@@@@@Z'ENOTDIR l@@ G

 G

@>1 Not a directory  G

' G

=@@@@@@@[)ENOTEMPTY m@@ H
>
@ H
>
K@T5 Directory not empty  H
>
V H
>
p@@@@@@@\&ENOTTY n@@ I
q
s I
q
{@j	% Inappropriate I/O control operation  I
q
 I
q
@@@@@@@]%ENXIO o@@ J

 J

@; No such device or address  J

 J

@@@@@@@^%EPERM p@@ K

 K

@9 Operation not permitted  K
 K
#@@@@@@@_%EPIPE q@@ L$& L$-@- Broken pipe  L$< L$N@@@@@@@(`&ERANGE r@@ MOQ MOY@2 Result too large & MOg' MO~@@@@@@@>a%EROFS s@@/ N0 N@ؐ7 Read-only file system < N= N@@@@@@@Tb&ESPIPE t@@E OF O@= Invalid seek e.g. on a pipe R OS O@@@@@@@jc%ESRCH u@@[ P\ P@1 No such process h Pi P@@@@@@@d%EXDEV v@@q Q r Q'@. Invalid link ~ Q6 QI@@@@@@@e+EWOULDBLOCK w@@ RJL RJY@07 Operation would block  RJb RJ~@@@@@@@f+EINPROGRESS x@@ S S@F; Operation now in progress  S S@@@@@@@g(EALREADY y@@ T T@\? Operation already in progress  T T@@@@@@@h(ENOTSOCK z@@ U U@r	  Socket operation on non-socket  U
 U2@@@@@@@i,EDESTADDRREQ {@@ V35 V3C@> Destination address required  V3K V3n@@@@@@@j(EMSGSIZE |@@ Woq Wo{@2 Message too long  Wo Wo@@@@@@@k*EPROTOTYPE }@@ X X@	  Protocol wrong type for socket  X X@@@@@@@0l+ENOPROTOOPT ~@@! Y" Y@ʐ8 Protocol not available . Y/ Y@@@@@@@Fm/EPROTONOSUPPORT @@7 Z8 Z&@8 Protocol not supported D Z+E ZH@@@@@@@\n/ESOCKTNOSUPPORT @@M [IKN [I\@; Socket type not supported Z [Ia[ [I@@@@@@@ro*EOPNOTSUPP @@c \d \@	# Operation not supported on socket p \q \@@@@@@@p,EPFNOSUPPORT @@y ]z ]@"? Protocol family not supported  ] ]@@@@@@@q,EAFNOSUPPORT @@ ^  ^ @8	1 Address family not supported by protocol family  ^  ^ N@@@@@@@r*EADDRINUSE @@ _OQ _O]@N8 Address already in use  _Og _O@@@@@@@s-EADDRNOTAVAIL @@ ` `@d	  Can't assign requested address  ` `@@@@@@@t(ENETDOWN @@ a a@z1 Network is down  a a@@@@@@@u+ENETUNREACH @@ b b@8 Network is unreachable  b
 b'@@@@@@@v)ENETRESET @@ c(* c(5@	% Network dropped connection on reset 
 c(@ c(j@@@@@@@"w,ECONNABORTED @@ dkm dk{@	" Software caused connection abort   dk! dk@@@@@@@8x*ECONNRESET @@) e* e@Ґ: Connection reset by peer 6 e7 e@@@@@@@Ny'ENOBUFS @@? f@ f@萠; No buffer space available L fM f@@@@@@@dz'EISCONN @@U gV g'@= Socket is already connected b g4c gV@@@@@@@z{(ENOTCONN @@k hWYl hWc@9 Socket is not connected x hWoy hW@@@@@@@|)ESHUTDOWN @@ i i@*	" Can't send after socket shutdown  i i@@@@@@@},ETOOMANYREFS @@ j j@@	# Too many references: can't splice  j j@@@@@@@~)ETIMEDOUT @@ k k@V6 Connection timed out  k' kB@@@@@@@,ECONNREFUSED @@ lCE lCS@l4 Connection refused  lC[ lCt@@@@@@@ @)EHOSTDOWN @@ muw mu@. Host is down  mu mu@@@@@@@ A,EHOSTUNREACH @@ n n@2 No route to host  n n@@@@@@@ B%ELOOP @@ o o@	# Too many levels of symbolic links  o o@@@@@@@* C)EOVERFLOW @@ p p@Đ	) File size or position not representable ( p*) pX@@@@@@@@ D+EUNKNOWNERR @@ @@@6 rZ\7 rZp@ߐ/ Unknown error C rZrD rZ@@@@@@@[ E@@A$Unix%error@@ @@@@@Pl@	 The type of error codes.
   Errors defined in the POSIX standard
   and additional errors from UNIX98 and BSD.
   All other errors are mapped to EUNKNOWNERR.
\ s] w)+@@@@@@@@@t@@
@@@in@@@oo
@@@ܠܰupUY@@@ڠ̠̰{q@@@ʠr@@@s@@@t	)	-@@@u	n	r@@@||v		z@@@}zllw		j@@@mj\\x		Z@@@]ZLLy
0
4J@@@MJ<<z
`
d:@@@=:,,{

*@@@-*|

@@@}
@@@

~04@@@ae@@@ܠܰ @@@@ڠ̠̰ A@@@ʠ B	
@@@ C?C@@@ Dqu@@@ E@@@|| Fz@@@}zll G

j@@@mj\\ H
>
BZ@@@]ZLL I
q
uJ@@@MJ<< J

:@@@=:,, K

*@@@-* L$(@@@# MOS
@@@

) N@@@/ O@@@ܠܰ5 P@@@ڠ̠̰; Q"@@@ʠA RJN@@@G S@@@M T@@@S U@@@||Y V37z@@@}zll_ Wosj@@@mj\\e XZ@@@]ZLLk YJ@@@MJ<<q Z:@@@=:,,w [IM*@@@-*} \@@@ ]
@@@

 ^ @@@ _OS@@@ܠܰ `@@@ڠ̠̰ a@@@ʠ b@@@ c(,@@@ dko@@@ e@@@|| fz@@@}zll g j@@@mj\\ hW[Z@@@]ZLL iJ@@@MJ<< j:@@@=:,, k*@@@-* lCG@@@ muy
@@@

 n@@@ o@@@ܠܰ p@@@ڠ̠̰ rZ^ rZi@гΠ#int	 rZm@@  0 								@	  8 @@@A@@B@B@@@@@@@@A@@@@@Aгˠ$Unix˰	l	l@@@@@	@*Unix_error B	& z.8	' z.B@    x@@@ @@@ @	@@ @@@A	: z..	; z.]@㐠
  r Raised by the system calls below when an error is encountered.
   The first component is the error code; the second component
   is the function name; the third component is the string parameter
   to the function, if it has one, or the empty string otherwise.

   {!UnixLabels.Unix_error} and {!Unix.Unix_error} are the same, and
   catching one will catch the other. 	G {^^	H @@@@@@@	_ Fг"%error	S z.F	T z.K@@*  0 	R	Q	Q	R	R	R	R	R@	Q@A@@г)&string	_ z.N	` z.T@@1@@г.&string	i z.W/@@50@@@@2/	w@21@-error_message  	t 	u @б@г2%error	 	 @@	@@ @  0 								@0d^@A@@г	V&string	 	 @@	@@ @@@@@ @@@@	 @A	2 Return a string describing the given error code. 	 	 2@@@@@@@	 G@@%1handle_unix_error à	 48	 4I@б@б@А!a @C@  0 								@<Q*@A	 4M	 4O@@А!b @C@
	 4S	 4U@@@
@ @@@б@А!a	 4Z	 4\@@А!b	 4`	 4b@@@(@ @#@@@@ @&	 4L@@@	 44@	 [handle_unix_error f x] applies [f] to [x] and returns the result.
   If the exception {!Unix_error} is raised, it prints a message
   describing the error and exits with code 2. 	 cc	 @@@@@@@

 H@@:
	' {1 Access to the process environment} 
 
 K@@@@@@  0 







@J]#@A+environment Ġ
 NR
 N]@б@г	̠$unit
 N`
 Nd@@	@@ @@@г	ʠ%array
* No
+ Nt@г	&string
4 Nh
5 Nn@@	@@ @1@@@@@ @6@@@"@ @9%@@@
D NN@쐠	 Return the process environment, as an array of strings
    with the format ``variable=value''.  The returned array
    is empty if the process has special privileges. 
P uu
Q "@@@@@@@
h I@)@L2unsafe_environment Š
\ $(
] $:@б@г
$unit
g $=
h $A@@	@@ @  0 
i
h
h
i
i
i
i
i@e`,@A@@г
%array
v $L
w $Q@г
H&string
 $E
 $K@@	@@ @@@@@@ @@@@$@ @!'@@@
 $$@	8
  ) Return the process environment, as an array of strings with the
    format ``variable=value''.  Unlike {!environment}, this function
    returns a populated array even if the process has special
    privileges.  See the documentation for {!unsafe_getenv} for more
    details.

    @since 4.12.0 
 RR
 l@@@@@@@
 J@)@4&getenv Ơ
 
 @б@г
{&string
 
 @@	@@ @  0 







@Mb,@A@@г
&string
 
 @@	@@ @@@@@ @@@@
 @	u	 Return the value associated to a variable in the process
   environment, unless the process has special privileges.
   @raise Not_found if the variable is unbound or the process has
   special privileges.

   This function is identical to {!Sys.getenv}. 
 
 r@@@@@@@
 K@@%-unsafe_getenv Ǡ
 
 @б@г
&string
 
 @@	@@ @  0 







@>S,@A@@г
Ǡ&string
   @@	@@ @@@@@ @@@@
 @	
   Return the value associated to a variable in the process
   environment.

   Unlike {!getenv}, this function returns the value even if the
   process has special privileges. It is considered unsafe because the
   programmer of a setuid or setgid program must be careful to avoid
   using maliciously crafted environment variables in the search path
   for executables, the locations for temporary files or logs, and the
   like.

   @raise Not_found if the variable is unbound.
   @since 4.06.0    @@@@@@@. L@@%&putenv Ƞ" # @б@г
&string- . @@	@@ @  0 /../////@>S,@A@@б@г&string> ? @@	@@ @@@г
$unitK L @@	@@ @@@@@ @!@@@'@ @$*@@@Y @
	 [putenv name value] sets the value associated to a
   variable in the process environment.
   [name] is the name of the environment variable,
   and [value] its new associated value. e f  { @@@@@@@} M@@7{6 {1 Process handling} v   w   @@@@@@  0 uttuuuuu@G\#@AA  ( .process_status C      @@  8 @@'WEXITED ʐd@@ @@@     !@
;	X The process terminated normally by [exit];
           the argument is the return code.  !! !=!k@@@@@@@ O)WSIGNALED ː@@ @@@ !l!n !l!@
V	S The process was killed by a signal;
           the argument is the signal number.  !! !!@@@@@@@ P(WSTOPPED ̐@@ @@@ !! !!@
q	T The process was stopped by a signal; the argument is the
           signal number.  !! ";"W@@@@@@@ Q@@A.process_status@@ @@@@@   @
	 The termination status of a process.  See module {!Sys} for the
    definitions of the standard signal numbers.  Note that they are
    not the numbers used by the OS.  "X"X "#@@@@@@@@@ N@iib   @гj#int  !k@@q  0 @  8 @@@A@@D@D@@@@@)'@@@Av@@@@xugg
 !l!p !l!y@гi#int !l!}j@@pk@@@@mj\\ !! !!@г^#int' !!_@@e*`@@@@b_@AгQ$UnixS1   2   @@Z5@@US@Ul@A  ( )wait_flag D> #	#? #	#@@  8 @@'WNOHANG ΐ@@H #+#/I #+#6@
񐠠	e Do not block if no child has
               died yet, but immediately return with a pid equal to 0. U #+#7V #X#@@@@@@@m S)WUNTRACED ϐ@@^ ##_ ##@	5 Report also the children that receive stop signals. k ##l ##@@@@@@@ T@@A()wait_flag@@ @@@@@v #	#	@7 Flags for {!waitpid}.  ## #$@@@@@@@A@ R@DDBA@@@DA33 ##1@@@41@Aг#$Unix% #	# #	#(@@,  0 @%d  8 @@@Ak@@E@E@@@@@1/@@"@A
@@20@  0 @@A3J@%execv Р $	$
 $	$@б$progг&string $	$ $	$ @@	@@ @  0 @(@A@@б$argsгq%array $	$0 $	$5@г&string $	$) $	$/@@	@@ @@@@@@ @"@@А!a @E@+ $	$9 $	$;@@+
@ @ 0 $	$$@@B7@ @4 $	$	@@@ $	$	@
   [execv ~prog ~args] execute the program in file [prog], with
   the arguments [args], and the current process environment.
   These [execv*] functions never return: on success, the current
   program is replaced by the new one.
   @raise Unix_error on failure 
 $<$<
 %$%F@@@@@@@
 U@@H&execve Ѡ
 %H%L
 %H%R@б$progг蠐&string
  %H%Z
! %H%`@@	@@ @  0 
"
!
!
"
"
"
"
"@cz.@A@@б$argsгӠ%array
3 %H%p
4 %H%u@г
&string
= %H%i
> %H%o@@	@@ @@@@@@ @"@@б#envг%array
S %H%
T %H%@г
%&string
] %H%}
^ %H%@@	@@ @=@@@@@ @
B@@А!a @E@K
q %H%
r %H%@@+
@ @P
v %H%y@@O6@ @
T
z %H%d	@@f[@ @X
~ %H%U
@@@
 %H%H@)	g Same as {!execv}, except that the third argument provides the
   environment to the program executed. 
 %%
 %%@@@@@@@
 V@@l&execvp Ҡ
 %&
 %&@б$progг
n&string
 %&
 %&@@	@@ @  0 







@.@A@@б$argsг
Y%array
 %&&
 %&+@г
&string
 %&
 %&%@@	@@ @@@@@@ @"@@А!a @E@+
 %&/
 %&1@@+
@ @0
 %&@@B7@ @4
 %&	@@@
 %%@	G Same as {!execv}, except that
   the program is searched in the path. 
 &2&2
 &T&~@@@@@@@ W@@H'execvpe Ӡ
 &&
 &&@б$progг
Р&string &&	 &&@@	@@ @  0 
		




@cz.@A@@б$argsг
%array && &&@г
&string% &&& &&@@	@@ @@@@@@ @"@@б#envг
۠%array; &&< &&@г
&stringE &&F &&@@	@@ @=@@@@@ @ B@@А!a @&E@!KY &&Z &&@@+
@ @"P^ &&@@O6@ @#Tb &&	@@f[@ @$Xf &&
@@@i &&@
	H Same as {!execve}, except that
   the program is searched in the path. u &&v &'@@@@@@@ X@@l$fork Ԡ '' '' @б@г;$unit ''# '''@@	@@ @'  0 @,@A@@гk#int ''+ ''.@@	@@ @(@@@@ @)@@@ ''@
N	 Fork a new process. The returned integer is 0 for the child
   process, the pid of the child process for the parent process.

   On Windows: not implemented, use {!create_process} or threads.  '/'/ ''@@@@@@@ Y@@%$wait ՠ '' ''@б@гx$unit '( '(@@	@@ @*  0 @>S,@A@@Вг#int '(
 '(
@@	@@ @+@@гf.process_status '( '(@@	@@ @, @@@@ @-%
@@@+@ @.(.
@@@ ''@
	 Wait until one of the children processes die, and return its pid
   and termination status.

   On Windows: not implemented, use {!waitpid}.  (( ((@@@@@@@ Z@@;'waitpid ֠ (( ((@б$modeг$list (( ((@гꠐ)wait_flag( (() ((@@	@@ @/  0 *))*****@`u8@A@@@	@@ @1
@@б@г#int> ((? ((@@	@@ @2@@Вг#intN ((O ((@@	@@ @3&@@г٠.process_status\ ((] ((@@	@@ @44@@@@ @59
@@@)@ @6<,
@@W<@ @7?m ((@@@p ((@
   Same as {!wait}, but waits for the child process whose pid is given.
   A pid of [-1] means wait for any child.
   A pid of [0] means wait for any child in the same process group
   as the current process.
   Negative pid arguments represent process groups.
   The list of options indicates whether [waitpid] should return
   immediately without waiting, and whether it should report stopped
   children.

   On Windows: can only wait for a given PID, not any child process. | ((} **@@@@@@@ [@#@S&system נ ** **@б@г[&string ** **@@	@@ @8  0 @l,@A@@г.process_status ** **@@	@@ @9@@@@ @:@@@ **@U
   Execute the given command, wait until it terminates, and return
   its termination status. The string is interpreted by the shell
   [/bin/sh] (or the command interpreter [cmd.exe] on Windows) and
   therefore can contain redirections, quotes, variables, etc.
   To properly quote whitespace and shell special characters occurring
   in file names or command arguments, the use of
   {!Filename.quote_command} is recommended.
   The result [WEXITED 127] indicates that the shell couldn't be
   executed.  **,,@@@@@@@ \@@%%_exit ؠ,-,-@б@г#int,-
,-
@@	@@ @;  0 @>S,@A@@А!a @?E@<,-,-@@@
@ @=@@@,,@
   Terminate the calling process immediately, returning the given
   status code to the operating system: usually 0 to indicate no
   errors, and a small positive integer to indicate failure.
   Unlike {!Stdlib.exit}, {!Unix._exit} performs no finalization
   whatsoever: functions registered with {!Stdlib.at_exit} are not called,
   input/output channels are not flushed, and the C run-time system
   is not finalized either.

   The typical use of {!Unix._exit} is after a {!Unix.fork} operation,
   when the child process runs into a fatal error and must exit.  In
   this case, it is preferable to not perform any finalization action
   in the child process, as these actions could interfere with similar
   actions performed by the parent process.  For example, output
   channels should not be flushed by the child process, as the parent
   process may flush them again later, resulting in duplicate
   output.

   @since 4.12.0 	--00@@@@@@@ ]@@#&getpid ٠ 0000@б@г$unit0000@@	@@ @@  0 





@<Q,@A@@гꠐ#int0000@@	@@ @A@@@@ @B@@@%00@͐	  Return the pid of the process. 100200@@@@@@@I ^@@%'getppid ڠ=11>11@б@г$unitH11I11@@	@@ @C  0 JIIJJJJJ@>S,@A@@г'#intW11X11@@	@@ @D@@@@ @E@@@b11@
	e Return the pid of the parent process.

    On Windows: not implemented (because it is meaningless). n 11o"1F1@@@@@@@ _@@%$nice ۠z$11{$11@б@гU#int$11$11@@	@@ @F  0 @>S,@A@@гd#int$11$11@@	@@ @G@@@@ @H@@@$11@G	 Change the process priority. The integer argument is added to the
   ``nice'' value. (Higher values of the ``nice'' value mean
   lower priorities.) Return the new nice value.

   On Windows: not implemented. %11)2R2t@@@@@@@ `@@%= {1 Basic file input/output} +2v2v+2v2@@@@@@  0 @5J#@AA  ( *file_descr E.22.22@@  8 @@@A	*file_descr@@ @J@@@@.22.22@}	( The abstract type of file descriptors. /22/22@@@@@@@@@ a@@Aг$Unix.22@@   0 @0*  8 @@@A1@@F@KF@I@@@@$!@@@A#@@%"@:%$@%stdin ݠ122122@гA*file_descr
122123@@	@@ @R  0 @RLF@A@@@122
@	$ File descriptor for standard input. 233!233,@@@@@@@8 b@@&stdout ޠ,43.32-43.38@гl*file_descr543.3;643.3E@@	@@ @S  0 76677777@,?*@A@@@?43.3.
@琠	% File descriptor for standard output.K53F3FL53F3p@@@@@@@c c@@&stderr ߠW73r3vX73r3|@г*file_descr`73r3a73r3@@	@@ @T  0 baabbbbb@,?*@A@@@j73r3r
@	% File descriptor for standard error. v833w833@@@@@@@ d@@A  ( )open_flag F:33:33@@  8 @@(O_RDONLY @@;33;33@62 Open for reading ;33;34@@@@@@@ f(O_WRONLY @@<44<44@L2 Open for writing <440<44G@@@@@@@ g&O_RDWR @@=4H4J=4H4R@b> Open for reading and writing =4H4h=4H4@@@@@@@ h*O_NONBLOCK @@>44>44@x; Open in non-blocking mode >44>44@@@@@@@ i(O_APPEND @@?44?44@1 Open for append ?44?45@@@@@@@
 j'O_CREAT @@@55@55@7 Create if nonexistent @55$	@55@@@@@@@@  k'O_TRUNC @@A5A5CA5A5L@	" Truncate to 0 length if existing A5A5aA5A5@@@@@@@6 l&O_EXCL @@'B55(B55@А2 Fail if existing 4B555B55@@@@@@@L m(O_NOCTTY @@=C55>C55@搠	' Don't make this dev a controlling tty JC55KC56
@@@@@@@b n'O_DSYNC @@SD66TD66@	e Writes complete as `Synchronised I/O data
                                    integrity completion' `D66.aE6\6@@@@@@@x o&O_SYNC @@iF66jF66@	e Writes complete as `Synchronised I/O file
                                    integrity completion' vF66wG67#@@@@@@@ p'O_RSYNC @@H7$7&H7$7/@(	\ Reads complete as writes (depending
                                    on O_SYNC/O_DSYNC) H7$7DI7l7@@@@@@@ q.O_SHARE_DELETE @@J77J77@>	a Windows only: allow the file to be deleted
                                    while still open J77K78,@@@@@@@ r)O_CLOEXEC @@L8-8/L8-8:@T	 Set the close-on-exec flag on the
                                   descriptor returned by {!openfile}.
                                   See {!set_close_on_exec} for more
                                   information. L8-8MO891@@@@@@@ s*O_KEEPEXEC @@P9294P929@@j	b Clear the close-on-exec flag.
                                    This is currently the default. P929RQ9t9@@@@@@@ t@@A)open_flag@@ @V@@@@:33@; The flags to {!openfile}. R99R99@@@@@@@A@ e@bb`_@@@b_QQ<44O@@@ROAA=4H4L?@@@B?11>44/@@@2/!!?44@@@"
@55@@@A5A5E@@@B55@@@C55@@@ߠѠѰ"D66@@@Ϡ(F66@@@.H7$7(@@@4J77@@@:L8-81@@@@P9296@@@@Aгq$UnixsJ:33K:33@@z  0 IHHIIIII@  8 @@@A@@G@XG@U@@@@}@@p@A
@@~@  0 UTTUUUUU@@A@A  ( )file_perm GcU99dU99@@  8 @@@A>@@ @i@@@@lU99mU99@	n The type of file access rights, e.g. [0o640] is read and write for user,
    read for group, none for others yV99zW:?:e@@@@@@@A@ u@@Aг#intU99@@  0 @9(  8 @@@A/@@H@jH@h@@@@$!@@@A
#@@%"@  0 @@A&%@(openfile Y:g:kY:g:s@б@гm&stringY:g:vY:g:|@@	@@ @q  0 @&MG@A@@б$modeгO$listY:g:Y:g:@г?)open_flagY:g:Y:g:@@	@@ @r@@@@@ @t"@@б$permгu)file_permY:g:Y:g:@@	@@ @u3@@г*file_descrY:g:Y:g:@@	@@ @v@@@@ @wCY:g:	@@B)@ @xGY:g:
@@@N@ @yKQ@@@Y:g:g@	 Open the named file with the given flags. Third argument is the
   permissions to give to the file if it is created (see
   {!umask}). Return a file descriptor on the named file. Z::\;1;m@@@@@@@ v@"@^%close ^;o;s^;o;x@б@гR*file_descr^;o;{^;o;@@	@@ @z  0 @w,@A@@г٠$unit*^;o;+^;o;@@	@@ @{@@@@ @|@@@5^;o;o@ݐ: Close a file descriptor. A_;;B_;;@@@@@@@Y w@@%%fsync Ma;;Na;;@б@г*file_descrXa;;Ya;;@@	@@ @}  0 ZYYZZZZZ@>S,@A@@г$unitga;;ha;;@@	@@ @~@@@@ @@@@ra;;@	0 Flush file buffers to disk.

    @since 4.12.0 ~b;;d;<@@@@@@@ x@@%$read f<<	f<<
@б@г̠*file_descrf<<f<<@@	@@ @  0 @>S,@A@@б#bufгv%bytesf<<"f<<'@@	@@ @@@б#posг#intf<</f<<2@@	@@ @$@@б#lenг#intf<<:f<<=@@	@@ @5@@г#intf<<Af<<D@@	@@ @B@@@ @Ef<<6	@@3(@ @If<<+
@@H=@ @Mf<<@@@T@ @QW@@@f<<@	 [read fd ~buf ~pos ~len] reads [len] bytes from descriptor [fd],
    storing them in byte sequence [buf], starting at position [pos] in
    [buf]. Return the number of bytes actually read. g<E<Ei<=@@@@@@@ y@&@d%write k=
=k=
=@б@гH*file_descrk=
=k=
= @@	@@ @  0 @},@A@@б#bufг%bytes$k=
=(%k=
=-@@	@@ @@@б#posг#int5k=
=56k=
=8@@	@@ @$@@б#lenг#intFk=
=@Gk=
=C@@	@@ @5@@г##intSk=
=GTk=
=J@@	@@ @B@@@ @E\k=
=<	@@3(@ @I`k=
=1
@@H=@ @Mdk=
=$@@@T@ @QW@@@jk=
=
@
  ) [write fd ~buf ~pos ~len] writes [len] bytes to descriptor [fd],
    taking them from byte sequence [buf], starting at position [pos]
    in [buff]. Return the number of bytes actually written.  [write]
    repeats the writing operation until all bytes have been written or
    an error occurs.  vl=K=Kwp>a>y@@@@@@@ z@&@d,single_write r>{>r>{>@б@гĠ*file_descrr>{>r>{>@@	@@ @  0 @},@A@@б#bufгn%bytesr>{>r>{>@@	@@ @@@б#posг#intr>{>r>{>@@	@@ @$@@б#lenг#intr>{>r>{>@@	@@ @5@@г#intr>{>r>{>@@	@@ @B@@@ @Er>{>	@@3(@ @Ir>{>
@@H=@ @Mr>{>@@@T@ @QW@@@r>{>{@	 Same as {!write}, but attempts to write only once.
   Thus, if an error occurs, [single_write] guarantees that no data
   has been written. s>>u?>?U@@@@@@@
 {@&@d/write_substring w?W?[w?W?j@б@г@*file_descr	w?W?m
w?W?w@@	@@ @  0 

@},@A@@б#bufг䠐&stringw?W?w?W?@@	@@ @@@б#posг#int-w?W?.w?W?@@	@@ @$@@б#lenг#int>w?W??w?W?@@	@@ @5@@г#intKw?W?Lw?W?@@	@@ @B@@@ @ETw?W?	@@3(@ @IXw?W?
@@H=@ @M\w?W?{@@@T@ @QW@@@bw?W?W@
	e Same as {!write}, but take the data from a string instead of a byte
    sequence.
    @since 4.02.0 nx??oz?@
@@@@@@@ |@&@d6single_write_substring z|@@{|@@)@б@г*file_descr}@,@.}@,@8@@	@@ @  0 @},@A@@б#bufг`&string}@,@@}@,@F@@	@@ @@@б#posгy#int}@,@N}@,@Q@@	@@ @$@@б#lenг#int}@,@Y}@,@\@@	@@ @5@@г#int}@,@`}@,@c@@	@@ @B@@@ @E}@,@U	@@3(@ @I}@,@J
@@H=@ @M}@,@<@@@T@ @QW@@@|@@@	l Same as {!single_write}, but take the data from a string instead of
    a byte sequence.
    @since 4.02.0 ~@d@d@@@@@@@@@ }@&@d 	8 {1 Interfacing with the standard input/output library} @@@A@@@@@@  0 @t#@A3in_channel_of_descr AAAA/@б@гI*file_descrAA2AA<@@	@@ @@@г*in_channelAA@ AAJ@@	@@ @'@@@@ @*@@@*AA@Ґ
   Create an input channel reading from the given descriptor.
   The channel is initially in binary mode; use
   [set_binary_mode_in ic false] if text mode is desired.
   Text mode is supported only if the descriptor refers to a file
   or pipe, but is not supported if it refers to a socket.

   On Windows: {!Stdlib.set_binary_mode_in} always fails on channels
   created with this function.

   Beware that input channels are buffered, so more characters may
   have been read from the descriptor than those accessed using
   channel functions.  Channels also keep a copy of the current
   position in the file.

   Closing the channel [ic] returned by [in_channel_of_descr fd]
   using [close_in ic] also closes the underlying descriptor [fd].
   It is incorrect to close both the channel [ic] and the descriptor [fd].

   If several channels are created on the same descriptor, one of the
   channels must be closed, but not the others.
   Consider for example a descriptor [s] connected to a socket and two
   channels [ic = in_channel_of_descr s] and [oc = out_channel_of_descr s].
   The recommended closing protocol is to perform [close_out oc],
   which flushes buffered output to the socket then closes the socket.
   The [ic] channel must not be closed and will be collected by the GC
   eventually.
6AKAK7FlFn@@@@@@@N ~@@=4out_channel_of_descr BFpFtCFpF@б@г*file_descrMFpFNFpF@@	@@ @  0 ONNOOOOO@VQ,@A@@г&+out_channel\FpF]FpF@@	@@ @@@@@ @@@@gFpFp@
   Create an output channel writing on the given descriptor.
   The channel is initially in binary mode; use
   [set_binary_mode_out oc false] if text mode is desired.
   Text mode is supported only if the descriptor refers to a file
   or pipe, but is not supported if it refers to a socket.

   On Windows: {!Stdlib.set_binary_mode_out} always fails on channels created
   with this function.

   Beware that output channels are buffered, so you may have to call
   {!Stdlib.flush} to ensure that all data has been sent to the
   descriptor.  Channels also keep a copy of the current position in
   the file.

   Closing the channel [oc] returned by [out_channel_of_descr fd]
   using [close_out oc] also closes the underlying descriptor [fd].
   It is incorrect to close both the channel [ic] and the descriptor [fd].

   See {!Unix.in_channel_of_descr} for a discussion of the closing
   protocol when several channels are created on the same descriptor.
sFFtJeJg@@@@@@@ @@%3descr_of_in_channel JiJmJiJ@б@гT*in_channelJiJJiJ@@	@@ @  0 @>S,@A@@гР*file_descrJiJJiJ@@	@@ @@@@@ @@@@JiJi@L	: Return the descriptor corresponding to an input channel. JJJJ@@@@@@@ @@%4descr_of_out_channel JJJJ@б@г+out_channelJJJK@@	@@ @  0 @>S,@A@@г
*file_descrJKJK@@	@@ @@@@@ @@@@JJ@	; Return the descriptor corresponding to an output channel. KKKKR@@@@@@@ @@%< {1 Seeking and truncating} KUKUKUKv@@@@@@  0 @5J#@AA  ( ,seek_command HKyK~KyK@@  8 @@(SEEK_SET @@KKKK@	; indicates positions relative to the beginning of the file "KK#KK@@@@@@@: (SEEK_CUR @@+KK,KK@Ԑ	6 indicates positions relative to the current position 8KK9KL7@@@@@@@P (SEEK_END @@AL8L:BL8LD@ꐠ	5 indicates positions relative to the end of the file NL8LEOL8L@@@@@@@f @@A,seek_command@@ @@@@@YKyKy@	! Positioning modes for {!lseek}. eLLfLL@@@@@@@A@} @ZZXW@@@ZWIIrKKG@@@JG99xL8L<7@@@:7@Aг)$Unix+KyKKyK@@2  0 @  8 @@@A@@I@I@@@@@64@@'@A
@@75@7N@%lseekLLLL@б@гڠ*file_descrLLLL@@	@@ @  0 @@A@@б@г#intLLLL@@	@@ @@@б$modeг,seek_commandLLLL@@	@@ @"@@г#intLLLL@@	@@ @/@@@ @2LL	@@@(@ @6+@@@<@ @9?@@@LL@	w Set the current position for a file descriptor, and return the resulting
    offset (from the beginning of the file). LLM0M_@@@@@@@ @!@L(truncateMaMeMaMm@б@гϠ&stringMaMpMaMv@@	@@ @  0 						@ez,@A@@б#lenгꠐ#intMaM~MaM@@	@@ @@@г֠$unit'MaM(MaM@@	@@ @ @@@ @#0MaMz	@@@*@ @'-@@@6MaMa@ސ	- Truncates the named file to the given size. BMMCMM@@@@@@@Z @@:)ftruncateNMMOMM@б@г*file_descrYMMZMM@@	@@ @  0 [ZZ[[[[[@Sh,@A@@б#lenг<#intlMMmMM@@	@@ @@@г($unityMMzMM@@	@@ @ @@@ @#MM	@@@*@ @'-@@@MM@0	P Truncates the file corresponding to the given descriptor
   to the given size. MMN)NA@@@@@@@ @@:1 {1 File status} NDNDNDNZ@@@@@@  0 @J_#@AA  ( )file_kindIN]NbN]Nk@@  8 @@%S_REG@@NNNN@e. Regular file NNNN@@@@@@@ %S_DIR@@NNNN@{+ Directory NNNN@@@@@@@ %S_CHR@@NNNN@2 Character device NONO@@@@@@@
 %S_BLK@@OOOO%@. Block device OO<OOO@@@@@@@# %S_LNK	@@OPOROPOY@/ Symbolic link !OPOp"OPO@@@@@@@9 &S_FIFO
@@*OO+OO@Ӑ, Named pipe 7OO8OO@@@@@@@O &S_SOCK@@@OOAOO@鐠( Socket MOONOO@@@@@@@e @@A
)file_kind@@ @@@@@XN]N]@@A@o @@@@dNN@@@jNN@@@ttpOO r@@@urddvOPOTb@@@ebTT|OOR@@@URDDOOB@@@EB@Aг4$Unix6N]NnN]N|@@=  0 @  8 @@@A@@J@J@@@@@A@@@?@A
@@B@@BY@A  ( %statsJOOOO@@  8 @@&st_dev
@@@ @P PP P@Y/ Device number P P P P4@@@@@@@ &st_ino@@@ @P5P9P5PF@r. Inode number P5PUP5Ph@@@@@@@ 'st_kind@2@@ @PiPmPiP@2 Kind of the file PiPPiP@@@@@@@ 'st_perm@@@ @PPPP@/ Access rights PP	PP@@@@@@@  (st_nlink@@@ @PPPP@1 Number of links !PP"PQ@@@@@@@9 &st_uid@@@ @	 -Q
Q.Q
Q@֐6 User id of the owner :Q
Q-;Q
QH@@@@@@@R &st_gid@@@ @	FQIQMGQIQZ@> Group ID of the file's group SQIQiTQIQ@@@@@@@k 'st_rdev@1@@ @	_QQ`QQ@= Device ID (if special file) lQQmQQ@@@@@@@ 'st_size@J@@ @		xQQyQQ@!/ Size in bytes QQQR@@@@@@@ (st_atime@W@@ @	RR	RR@:2 Last access time RR%RR<@@@@@@@ (st_mtime@p@@ @	R=RAR=RR@S8 Last modification time R=R]R=Rz@@@@@@@ (st_ctime@@@ @	R{RR{R@l9 Last status change time R{RR{R@@@@@@@ @@A%stats@@ @	@@@@OORR@	0 The information returned by the {!stat} calls. RRRR@@@@@@@@@  @EE@P P
@@Ш@гH#intP P
P P@@P  0 @VPJ_  8 @@@Af@@K@	K@@@@@,)@@@A
@@^@L@@ZWIID
P5P?@@Ш@гL#intP5PBP5PE@@T@@W@L@ @SPBB=PiPt@@Ш@гE)file_kind(PiPw)PiP@@M/@@P@L@2@LI;;61PP@@Ш@г>)file_perm:PP;PP@@FA@@I@L@D@EB44/CPP@@Ш@г7#intLPPMPP@@?S@@B@L@V@>;--(UQ
Q@@Ш@г0#int^Q
Q_Q
Q@@8e@@;@L@	h@74&&!gQIQS@@Ш@г)#intpQIQVqQIQY@@1w@@4@L@	z@0-yQQ@@Ш@г"#intQQQQ@@*@@-@L@	@)&QQ@@Ш@г#intQQQQ@@#@@&@L@	
@"RR@@Ш@г%floatRRRR@@@@@L@	
@

R=RI@@Ш@г
%floatR=RLR=RQ@@@@@L@	@R{R@@Ш@г%floatR{RR{R@@Ѱ@@@L@	@

@Aг$UnixOOOO@@ް@@ @  0 @@A @$statRRRR@б@г&stringRS RS@@	@@ @	P  0 @WQ@A@@г[%statsRS
RS@@	@@ @	Q@@@@ @	R@@@	RR@	, Return the information for the named file. SSSSA@@@@@@@- @@%%lstat!SCSG"SCSL@б@г&string,SCSO-SCSU@@	@@ @	S  0 .--.....@>S,@A@@г%stats;SCSY<SCS^@@	@@ @	T@@@@ @	U@@@FSCSC@	j Same as {!stat}, but in case the file is a symbolic link,
   return the information for the link itself. RS_S_SSS@@@@@@@j @@%%fstat^SS_SS@б@г*file_descriSSjSS@@	@@ @	V  0 kjjkkkkk@>S,@A@@гՠ%statsxSSySS@@	@@ @	W@@@@ @	X@@@SS@+	N Return the information for the file associated with the given
   descriptor. SST2TC@@@@@@@ @@%&isattyTETITETO@б@гݠ*file_descrTETRTET\@@	@@ @	Y  0 @>S,@A@@гu$boolTET`TETd@@	@@ @	Z@@@@ @	[@@@TETE@h	j Return [true] if the given file descriptor refers to a terminal or
   console window, [false] otherwise. TeTe TT@@@@@@@ @@%␠	$ {1 File operations on large files} TTTT@@@@@@  0 @5J#@A)LargeFile8KUUUU@@Б%lseekUU"UU'@б@г
:*file_descrUU*UU4@@	@@ @	\  0 @)@A@@б@гe%int64UU8UU=@@	@@ @	]@@б$modeг,seek_command$UUF%UUR@@	@@ @	^!@@г%int641UUV2UU[@@	@@ @	_.@@@ @	`1:UUA	@@@(@ @	a5+@@@;@ @	b8>@@@CUU@될. See [lseek]. OU\U`PU\Us@@@@@@@g @!@K(truncate[	UuU}\	UuU@б@г.&stringf	UuUg	UuU@@	@@ @	c  0 hgghhhhh@y,@A@@б#lenгˠ%int64y	UuUz	UuU@@	@@ @	d@@г5$unit	UuU	UuU@@	@@ @	e @@@ @	f#	UuU	@@@*@ @	g'-@@@	UuUy@=1 See [truncate]. 
UU
UU@@@@@@@ @@:)ftruncateUUUU@б@г
*file_descrUUUU@@	@@ @	h  0 @Sh,@A@@б#lenг%int64UUUU@@	@@ @	i@@г$unitUUUU@@	@@ @	j @@@ @	k#UU	@@@*@ @	l'-@@@UU@2 See [ftruncate]. 
UU
UV@@@@@@@ @@:A  ( %stats L VVVV@@  8 @@&st_dev!@@@ @	n
V9VAV9VN@/ Device number V9V]V9Vq@@@@@@@2 &st_ino"@@@ @	q&VrVz'VrV@ϐ. Inode number 3VrV4VrV@@@@@@@K 'st_kind#@@@ @	t?VV@VV@萠2 Kind of the file LVVMVV@@@@@@@d 'st_perm$@@@ @	wXVVYVW@/ Access rights eVW
fVW@@@@@@@} (st_nlink%@C@@ @	zqWW'rWW6@1 Number of links ~WWCWWY@@@@@@@ &st_uid&@\@@ @	}WZWbWZWo@36 User id of the owner WZW~WZW@@@@@@@ &st_gid'@u@@ @	WWWW@L> Group ID of the file's group WWWW@@@@@@@ 'st_rdev(@@@ @	WWWW@e= Device ID (if special file) WXWX(@@@@@@@ 'st_size)@)@@ @	X)X1X)XA@~/ Size in bytes X)XMX)Xa@@@@@@@ (st_atime*@@@ @	XbXjXbX{@2 Last access time XbXXbX@@@@@@@  (st_mtime+@@@ @	 XX XX@8 Last modification time  XX XX@@@@@@@ , (st_ctime,@@@ @	  XX !XX@ɐ9 Last status change time  -XY .XY"@@@@@@@ E @@A)LargeFile%stats@@ @	@@@@ :VV ;Y#Y*@@@@ R @::5 BV9VG@@Ш@г=#int KV9VJ LV9VM@@E  0  J I I J J J J J@kT  8 @@@A[@@M@	M@	m@@@@@@@@A
@@S@N@	o@OL>>9 _VrV@@Ш@гA#int hVrV iVrV@@I@@L@N@	r @HE772 qVV@@Ш@г:)file_kind zVV {VV@@B/@@E@N@	u2@A>00+ VV@@Ш@г3)file_perm VV VW@@;A@@>@N@	xD@:7))$ WW/@@Ш@г,#int WW2 WW5@@4S@@7@N@	{V@30"" WZWh@@Ш@г%#int WZWk WZWn@@-e@@0@N@	~h@,) WW@@Ш@г#int WW WW@@&w@@)@N@	z@%" WW@@Ш@г#int WW WW@@@@"@N@	@

 X)X8@@Ш@г%int64 X)X; X)X@@@@@@N@	@ XbXr@@Ш@г	%float XbXu XbXz@@@@@N@	@
!XX@@Ш@г%float!
XX!XX@@
@@
@N@	@	!XX@@Ш@г%float!XX!XX@@Ѱ@@@N@	@@Aг񠡡$Unix!*VV"!+VV6@@߰@@@@  0 !*!)!)!*!*!*!*!*@@A@$stat5!7Y+Y3!8Y+Y7@б@г!
&string!BY+Y:!CY+Y@@@	@@ @
&  0 !D!C!C!D!D!D!D!D@MG@A@@гQ%stats!QY+YD!RY+YI@@	@@ @
'@@@@ @
(@@@!\Y+Y/@@!s @
@@%lstat6!gYJYR!hYJYW@б@г!:&string!rYJYZ!sYJY`@@	@@ @
)  0 !t!s!s!t!t!t!t!t@1F@A@@г%stats!YJYd!YJYi@@	@@ @
*@@@@ @
+@@@!YJYN@@! @
@@%fstat7!YjYr!YjYw@б@г٠*file_descr!YjYz!YjY@@	@@ @
,  0 !!!!!!!!@1F@A@@г%stats!YjY!YjY@@	@@ @
-@@@@ @
.@@@!YjYn@@! @
@@@@l0@@A@o@hA@:@@  0 !!!!!!!!@'<@A!UU! YY@@ z
   File operations on large files.
  This sub-module provides 64-bit variants of the functions
  {!lseek} (for positioning a file descriptor),
  {!truncate} and {!ftruncate}
  (for changing the size of a file),
  and {!stat}, {!lstat} and {!fstat}
  (for obtaining information on files).  These alternate functions represent
  positions and sizes by 64-bit integers (type [int64]) instead of
  regular integers (type [int]), thus allowing operating on files
  whose sizes are greater than [max_int]. !!YY!*[_[@@@@@@@!UU@@!? {1 Mapping files into memory} !,[[!,[[@@@@@@  0 !!!!!!!!@@&"" @A(map_file!.[[!.[[@б@г@*file_descr"	/[["
/[[@@	@@ @
/@@б#posг!l%int64"0[["0[\@@	@@ @
0-@@б$kindг (Bigarray$kind&Stdlib"11\\"21\\*@А!a @M@J"=1\\">1\\@@А!b @M@V"I1\\"J1\\@@@'@@ @^"Q1\\
 @@б&layoutг!((Bigarray&layout&Stdlib"c2\.\:"d2\.\P@А!c @M@|"o2\.\7"p2\.\9@@@@@ @@@б&sharedг"A$bool"2\.\["2\.\_@@	@@ @@@б$dimsг"2%array"2\.\l"2\.\q@г"l#int"2\.\h"2\.\k@@	@@ @@@@@@ @@@г!z(Bigarray(Genarray!t&Stdlib	"3\u\"3\u\@А!a˰"3\u\x"3\u\z@@А!bҰ"3\u\|"3\u\~@@А!cbٰ"3\u\"3\u\@@@'j@@ @"3\u\w@@O6
@ @"2\.\c"@@dY@ @	"2\.\T&@@o@ @
"2\.\0*@@@ @"1\\.@@"i@@ @@ @
"0[[7@@@@ @:@@@".[[=@!
   Memory mapping of a file as a Bigarray.
  [map_file fd ~kind ~layout ~shared ~dims]
  returns a Bigarray of kind [kind], layout [layout],
  and dimensions as specified in [dims].  The data contained in
  this Bigarray are the contents of the file referred to by
  the file descriptor [fd] (as opened previously with
  {!openfile}, for example).  The optional [pos] parameter
  is the byte offset in the file of the data being mapped;
  it defaults to 0 (map from the beginning of the file).

  If [shared] is [true], all modifications performed on the array
  are reflected in the file.  This requires that [fd] be opened
  with write permissions.  If [shared] is [false], modifications
  performed on the array are done in memory only, using
  copy-on-write of the modified pages; the underlying file is not
  affected.

  [Genarray.map_file] is much more efficient than reading
  the whole file in a Bigarray, modifying that Bigarray,
  and writing it afterwards.

  To adjust automatically the dimensions of the Bigarray to
  the actual size of the file, the major dimension (that is,
  the first dimension for an array with C layout, and the last
  dimension for an array with Fortran layout) can be given as
  [-1].  [Genarray.map_file] then determines the major dimension
  from the size of the file.  The file must contain an integral
  number of sub-arrays as determined by the non-major dimensions,
  otherwise [Failure] is raised.

  If all dimensions of the Bigarray are given, the file size is
  matched against the size of the Bigarray.  If the file is larger
  than the Bigarray, only the initial portion of the file is
  mapped to the Bigarray.  If the file is smaller than the big
  array, the file is automatically grown to the size of the Bigarray.
  This requires write permissions on [fd].

  Array accesses are bounds-checked, but the bounds are determined by
  the initial call to [map_file]. Therefore, you should make sure no
  other process modifies the mapped file while you're accessing it,
  or a SIGBUS signal may be raised. This happens, for instance, if the
  file is shrunk.

  [Invalid_argument] or [Failure] may be raised in cases where argument
  validation fails.
  @since 4.06.0 # 4\\#ae;eM@@@@@@@# @L@#> {1 Operations on file names} #ceOeO#ceOer@@@@@@  0 ########@"#@A&unlink#feuey#feue@б@г"&string#(feue#)feue@@	@@ @@@г"䠐$unit#5feue#6feue@@	@@ @'@@@@ @*@@@#@feueu@!萠	 Removes the named file.

    If the named file is a directory, raises:
    {ul
    {- [EPERM] on POSIX compliant system}
    {- [EISDIR] on Linux >= 2.1.132}
    {- [EACCESS] on Windows}}
#Lgee#MnfQfS@@@@@@@#d @@=&rename#XpfUfY#YpfUf_@б#srcг#-&string#epfUff#fpfUfl@@	@@ @  0 #g#f#f#g#g#g#g#g@XS.@A@@б#dstг#@&string#xpfUft#ypfUfz@@	@@ @@@г#4$unit#pfUf~#pfUf@@	@@ @ @@@ @##pfUfp	@@5*@ @'#pfUfb
@@@#pfUfU@"=
  \ [rename ~src ~dst] changes the name of a file from [src] to [dst],
    moving it between directories if needed.  If [dst] already
    exists, its contents will be replaced with those of [src].
    Depending on the operating system, the metadata (permissions,
    owner, etc) of [dst] can either be preserved or be replaced by
    those of [src].  #qff#vgg@@@@@@@# @@;$link#xgg#xgg@б&followг#z$bool#xgh#xgh"@@	@@ @  0 ########@Vm.@A@@б#srcг#&string#yh&h5#yh&h;@@	@@ @@@б#dstг#&string#yh&hC#yh&hI@@	@@ @$@@г#$unit#yh&hM#yh&hQ@@	@@ @ 1@@@ @!4#yh&h?	@@3(@ @"8#yh&h1
@@JB@@ @#
@ @$@$ xgg@@	@$xgg@"
  8 [link ?follow ~src ~dst] creates a hard link named [dst] to the file
   named [src].

   @param follow indicates whether a [src] symlink is followed or a
   hardlink to [src] itself will be created. On {e Unix} systems this is
   done using the [linkat(2)] function. If [?follow] is not provided, then the
   [link(2)] function is used whose behaviour is OS-dependent, but more widely
   available.

   @raise ENOSYS On {e Unix} if [~follow:_] is requested, but linkat is
                 unavailable.
   @raise ENOSYS On {e Windows} if [~follow:false] is requested. $zhRhR$jLj@@@@@@@$' @'@T(realpath$jj$jj@б@г#&string$&jj$'jj@@	@@ @%  0 $($'$'$($($($($(@m,@A@@г#&string$5jj$6jj@@	@@ @&@@@@ @'@@@$@jj@"萠	 [realpath p] is an absolute pathname for [p] obtained by resolving
    all extra [/] characters, relative path segments and symbolic links.

    @since 4.13.0 $Ljj$MkBkV@@@@@@@$d @@%$b	$ {1 File permissions and ownership} $]kXkX$^kXk@@@@@@  0 $\$[$[$\$\$\$\$\@5J#@AA  ( 1access_permissionM$jkk$kkk@@  8 @@$R_OK@@$tkk$ukk@#1 Read permission $kk$kk@@@@@@@$ $W_OK	@@$kk$kk@#32 Write permission $kl
$kl$@@@@@@@$ $X_OK
@@$l%l'$l%l-@#I6 Execution permission $l%lE$l%l`@@@@@@@$ $F_OK@@$lalc$lali@#_- File exists $lal$lal@@@@@@@$ @@A1access_permission@@ @)@@@@$kk@#v? Flags for the {!access} call. $ll$ll@@@@@@@A@$ @ppnm@@@pm__$kk]@@@`]OO$l%l)M@@@PM??$lale=@@@@=@Aг/$Unix1$kk$kk@@8  0 $$$$$$$$@  8 @@@A@@N@+N@(@@@@<:@@-@A
@@=;@=T@%chmod%ll%ll@б@г$栐&string%ll%ll@@	@@ @;  0 % %%% % % % % @@A@@б$permгΠ)file_perm%1ll%2ll@@	@@ @<@@г$$unit%>ll%?ll@@	@@ @= @@@ @>#%Gll	@@@*@ @?'-@@@%Mll@#	+ Change the permissions of the named file. %Yll%Zlm@@@@@@@%q @@:&fchmod
%emm%fmm$@б@г*file_descr%pmm'%qmm1@@	@@ @@  0 %r%q%q%r%r%r%r%r@Sh,@A@@б$permг )file_perm%mm:%mmC@@	@@ @A@@г%?$unit%mmG%mmK@@	@@ @B @@@ @C#%mm5	@@@*@ @D'-@@@%mm@$G	M Change the permissions of an opened file.

    On Windows: not implemented. %mLmL%m{m@@@@@@@% @@:%chown%mm%mm@б@г%&string%mm%mm@@	@@ @E  0 %%%%%%%%@Sh,@A@@б#uidг%#int%mm%mm@@	@@ @F@@б#gidг%#int%mm%mm@@	@@ @G$@@г%$unit%mm%mm@@	@@ @H1@@@ @I4%mm	@@3(@ @J8& mm
@@@?@ @K<B@@@&mm@$	Y Change the owner uid and owner gid of the named file.

    On Windows: not implemented. &mm&nn/@@@@@@@&* @"@O&fchown&n1n5&n1n;@б@г`*file_descr&)n1n>&*n1nH@@	@@ @L  0 &+&*&*&+&+&+&+&+@h},@A@@б#uidг&#int&<n1nP&=n1nS@@	@@ @M@@б#gidг&#int&Mn1n[&Nn1n^@@	@@ @N$@@г&	$unit&Zn1nb&[n1nf@@	@@ @O1@@@ @P4&cn1nW	@@3(@ @Q8&gn1nL
@@@?@ @R<B@@@&mn1n1@%	Y Change the owner uid and owner gid of an opened file.

    On Windows: not implemented. &yngng&znn@@@@@@@& @"@O%umask&nn&nn@б@г&`#int&nn&nn@@	@@ @S  0 &&&&&&&&@h},@A@@г&o#int&nn&nn@@	@@ @T@@@@ @U@@@&nn@%R	p Set the process's file mode creation mask, and return the previous
    mask.

    On Windows: not implemented. &nn&o0oS@@@@@@@& @@%&access&oUoY&oUo_@б@г&&string&oUob&oUoh@@	@@ @V  0 &&&&&&&&@>S,@A@@б$permг&w$list&oUo&oUo@г1access_permission&oUoq&oUo@@	@@ @W@@@@@ @Y"@@г&$unit&oUo&oUo@@	@@ @Z/@@-@ @[2'oUol	@@@9@ @\6<@@@'oUoU@%	 Check that the process has the given permissions over the named file.

   On Windows: execute permission [X_OK] cannot be tested, just
   tests for read permission instead.

   @raise Unix_error otherwise.
   'oo'pbpg@@@@@@@'/ @@I'-	$ {1 Operations on file descriptors} '(pjpj')pjp@@@@@@  0 '''&'&''''''''''@Yn#@A#dup'4pp'5pp@б'cloexecг'$bool'App'Bpp@@	@@ @]@@б@г*file_descr'Ppp'Qpp@@	@@ @^+@@г*file_descr']pp'^pp@@	@@ @_8@@@@ @`;@@0(@@ @a	@ @bB'mpp@@	@'ppp@&	 Return a new file descriptor referencing the same file as
   the given descriptor.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. '|pp'}qq@@@@@@@' @"@V$dup2'qq'qq@б'cloexecг'U$bool'qq'qq@@	@@ @c  0 ''''''''@ql.@A@@б#srcгߠ*file_descr'qq'qr@@	@@ @d@@б#dstг*file_descr'qr'qr@@	@@ @e$@@г'u$unit'qr'qr@@	@@ @f1@@@ @g4'qr	@@3(@ @h8'qq
@@JB@@ @i
@ @j@'qq@@	@'qq@&	 [dup2 ~src ~dst] duplicates [src] to [dst], closing [dst] if already
   opened.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. 'rr'rr@@@@@@@( @'@T,set_nonblock'rr'rr@б@г8*file_descr(rr(rr@@	@@ @k  0 ((((((((@m,@A@@г'$unit(rr(rr@@	@@ @l@@@@ @m@@@(rr@&Ð
  c Set the ``non-blocking'' flag on the given descriptor.
   When the non-blocking flag is set, reading on a descriptor
   on which there is temporarily no data available raises the
   [EAGAIN] or [EWOULDBLOCK] error instead of blocking;
   writing on a descriptor on which there is temporarily no room
   for writing also raises [EAGAIN] or [EWOULDBLOCK]. ('rr((t!tY@@@@@@@(? @@%.clear_nonblock(3t[t_(4t[tm@б@гu*file_descr(>t[tp(?t[tz@@	@@ @n  0 (@(?(?(@(@(@(@(@@>S,@A@@г'$unit(Mt[t~(Nt[t@@	@@ @o@@@@ @p@@@(Xt[t[@' 	Q Clear the ``non-blocking'' flag on the given descriptor.
   See {!set_nonblock}.(dtt(ett@@@@@@@(| @@%1set_close_on_exec(ptt(qtt@б@г*file_descr({tt(|tt@@	@@ @q  0 (}(|(|(}(}(}(}(}@>S,@A@@г(9$unit(tu(tu@@	@@ @r@@@@ @s@@@(tt@'=
  
{ Set the ``close-on-exec'' flag on the given descriptor.
   A descriptor with the close-on-exec flag is automatically
   closed when the current process starts another program with
   one of the [exec], [create_process] and [open_process] functions.

   It is often a security hole to leak file descriptors opened on, say,
   a private file to an external program: the program, then, gets access
   to the private file and can do bad things with it.  Hence, it is
   highly recommended to set all file descriptors ``close-on-exec'',
   except in the very few cases where a file descriptor actually needs
   to be transmitted to another program.

   The best way to set a file descriptor ``close-on-exec'' is to create
   it in this state.  To this end, the [openfile] function has
   [O_CLOEXEC] and [O_KEEPEXEC] flags to enforce ``close-on-exec'' mode
   or ``keep-on-exec'' mode, respectively.  All other operations in
   the Unix module that create file descriptors have an optional
   argument [?cloexec:bool] to indicate whether the file descriptor
   should be created in ``close-on-exec'' mode (by writing
   [~cloexec:true]) or in ``keep-on-exec'' mode (by writing
   [~cloexec:false]).  For historical reasons, the default file
   descriptor creation mode is ``keep-on-exec'', if no [cloexec] optional
   argument is given.  This is not a safe default, hence it is highly
   recommended to pass explicit [cloexec] arguments to operations that
   create file descriptors.

   The [cloexec] optional arguments and the [O_KEEPEXEC] flag were introduced
   in OCaml 4.05.  Earlier, the common practice was to create file descriptors
   in the default, ``keep-on-exec'' mode, then call [set_close_on_exec]
   on those freshly-created file descriptors.  This is not as safe as
   creating the file descriptor in ``close-on-exec'' mode because, in
   multithreaded programs, a window of vulnerability exists between the time
   when the file descriptor is created and the time [set_close_on_exec]
   completes.  If another thread spawns another program during this window,
   the descriptor will leak, as it is still in the ``keep-on-exec'' mode.

   Regarding the atomicity guarantees given by [~cloexec:true] or by
   the use of the [O_CLOEXEC] flag: on all platforms it is guaranteed
   that a concurrently-executing Caml thread cannot leak the descriptor
   by starting a new process.  On Linux, this guarantee extends to
   concurrently-executing C threads.  As of Feb 2017, other operating
   systems lack the necessary system calls and still expose a window
   of vulnerability during which a C thread can see the newly-created
   file descriptor in ``keep-on-exec'' mode.
 (uu(@@@@@@@( @@%3clear_close_on_exec((@б@г*file_descr((@@	@@ @t  0 ((((((((@>S,@A@@г(v$unit((@@	@@ @u@@@@ @v@@@(@'z	W Clear the ``close-on-exec'' flag on the given descriptor.
   See {!set_close_on_exec}.((  @@@@@@@( @@%(1 {1 Directories} (    (    *@@@@@@  0 ((((((((@5J#@A%mkdir(  -  1(  -  6@б@г(Π&string)  -  9)  -  ?@@	@@ @w@@б$permг)file_perm)  -  H)  -  Q@@	@@ @x+@@г(Ӡ$unit)$  -  U)%  -  Y@@	@@ @y8@@@ @z;)-  -  C	@@@(@ @{?+@@@)3  -  -@'ې	? Create a directory with the given permissions (see {!umask}). )?  Z  Z)@  Z  @@@@@@@)W @@R%rmdir)K    )L    @б@г)&string)V    )W    @@	@@ @|  0 )X)W)W)X)X)X)X)X@kf,@A@@г)$unit)e    )f    @@	@@ @}@@@@ @~@@@)p    @(< Remove an empty directory. )|    )}    @@@@@@@) @@%%chdir)    )    @б@г)[&string)    )    @@	@@ @  0 ))))))))@>S,@A@@г)Q$unit)    )    @@	@@ @@@@@ @@@@)    @(U	' Change the process working directory. )    )    %@@@@@@@) @@%&getcwd)  '  +)  '  1@б@г)$unit)  '  4)  '  8@@	@@ @  0 ))))))))@>S,@A@@г)&string)  '  <)  '  B@@	@@ @@@@@ @@@@)  '  '@(	3 Return the name of the current working directory. )  C  C)  C  {@@@@@@@* @@%&chroot*  }  *  }  @б@г)ՠ&string*
  }  *  }  @@	@@ @  0 ********@>S,@A@@г)ˠ$unit*  }  *  }  @@	@@ @@@@@ @@@@*'  }  }@(ϐ	F Change the process root directory.

    On Windows: not implemented. *3    *4    @@@@@@@*K @@%A  ( *dir_handleN*@    *A    @@  8 @@@A"*dir_handle@@ @@@@@*K    *L    @(	2 The type of descriptors over opened directories. *X     *Y     ?@@@@@@@@@*p @@Aг$Unix*c    @@   0 *a*`*`*a*a*a*a*a@TiB+  8 @@@A2@@O@O@@@@@%"@@@A
$@@&#@  0 *m*l*l*m*m*m*m*m@@A'&@'opendir*z"  A  E*{"  A  L@б@г*M&string*"  A  O*"  A  U@@	@@ @  0 ********@&PJ@A@@гT*dir_handle*"  A  Y*"  A  c@@	@@ @@@@@ @@@@*"  A  A@)G	" Open a descriptor on a directory *#  d  d*#  d  @@@@@@@* @@%'readdir*%    *%    @б@г*dir_handle*%    *%    @@	@@ @  0 ********@>S,@A@@г*&string*%    *%    @@	@@ @@@@@ @@@@*%    @)	m Return the next entry in a directory.
   @raise End_of_file when the end of the directory has been reached. *&    *'    "@@@@@@@+  @@%)rewinddir *)  $  (*)  $  1@б@г*dir_handle*)  $  4+ )  $  >@@	@@ @  0 ++ + +++++@>S,@A@@г*$unit+)  $  B+)  $  F@@	@@ @@@@@ @@@@+)  $  $@)	= Reposition the descriptor to the beginning of the directory +%*  G  G+&*  G  @@@@@@@+= @@%(closedir!+1,    +2,    @б@г*dir_handle+<,    +=,    @@	@@ @  0 +>+=+=+>+>+>+>+>@>S,@A@@г*$unit+K,    +L,    @@	@@ @@@@@ @@@@+V,    @)? Close a directory descriptor. +b-    +c-    @@@@@@@+z @@%+x< {1 Pipes and redirections} +s1    +t1    @@@@@@  0 +r+q+q+r+r+r+r+r@5J#@A$pipe"+4    +4    @б'cloexecг+L$bool+4    2+4    6@@	@@ @@@б@г+J$unit+5  :  E+5  :  I@@	@@ @+@@Вг⠐*file_descr+5  :  M+5  :  W@@	@@ @;@@г*file_descr+5  :  Z+5  :  d@@	@@ @I@@@@ @N
@@@)@ @Q,
@@F>@@ @	@ @X+4    @@	@+4    @*y
   Create a pipe. The first component of the result is opened
   for reading, that's the exit to the pipe. The second component is
   opened for writing, that's the entrance to the pipe.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. +6  e  e+:  `  x@@@@@@@+ @'@l&mkfifo#+<  z  ~+<  z  @б@г+&string+<  z  +<  z  @@	@@ @  0 ++++++++@,@A@@б$permг)file_perm,<  z  ,<  z  @@	@@ @@@г+à$unit,<  z  ,<  z  @@	@@ @ @@@ @#,<  z  	@@@*@ @'-@@@,#<  z  z@*ː	a Create a named pipe with the given permissions (see {!umask}).

   On Windows: not implemented. ,/=    ,0?    @@@@@@@,G @@:,E	3 {1 High-level process and redirection management} ,@B    ,AB    I@@@@@@  0 ,?,>,>,?,?,?,?,?@J_#@A.create_process$,LE  L  P,ME  L  ^@б$progг,!&string,YF  a  h,ZF  a  n@@	@@ @@@б$argsг,
%array,jF  a  ~,kF  a  @г,<&string,tF  a  w,uF  a  }@@	@@ @7@@@@@ @<@@б%stdinг*file_descr,F  a  ,F  a  @@	@@ @M@@б&stdoutгҠ*file_descr,F  a  ,F  a  @@	@@ @^@@б&stderrг㠐*file_descr,G    ,G    @@	@@ @o@@г,#int,G    ,G    @@	@@ @|@@@ @,G    	@@3(@ @,F  a  
@@H=@ @,F  a  @@lS@ @,F  a  r@@v@ @,F  a  c@@@,E  L  L@+}
   [create_process ~prog ~args ~stdin ~stdout ~stderr]
   forks a new process that executes the program
   in file [prog], with arguments [args]. The pid of the new
   process is returned immediately; the new process executes
   concurrently with the current process.
   The standard input and outputs of the new process are connected
   to the descriptors [stdin], [stdout] and [stderr].
   Passing e.g. [Stdlib.stdout] for [stdout] prevents the redirection
   and causes the new process to have the same standard output
   as the current process.
   The executable file [prog] is searched in the path.
   The new process has the same environment as the current process. ,H    ,S  *  p@@@@@@@, @+@2create_process_env%,U  r  v,U  r  @б$progг, &string,V    ,V    @@	@@ @  0 ,,,,,,,,@.@A@@б$argsг,%array-
V    -V    @г,ߠ&string-V    -V    @@	@@ @@@@@@ @"@@б#envг,͠%array--V    -.V    @г,&string-7V    -8V    @@	@@ @=@@@@@ @B@@б%stdinг*file_descr-MV    -NV    @@	@@ @S@@б&stdoutг*file_descr-^W    -_W    @@	@@ @d@@б&stderrг*file_descr-oW    -pW    @@	@@ @u@@г-L#int-|W    -}W    
@@	@@ @@@@ @-W    	@@3(@ @-W    
@@H=@ @-V    @@lS@ @-V    @@w@ @-V    @@@ @-V    @@@-U  r  r @,D	 [create_process_env ~prog ~args ~env ~stdin ~stdout ~stderr]
   works as {!create_process}, except that the extra argument
   [env] specifies the environment passed to the program. -X    -Z    @@@@@@@- @/@/open_process_in&-]    -]    @б@г-&string-]    -]    @@	@@ @  0 --------@,@A@@г,*in_channel-]    -]    @@	@@ @@@@@ @@@@-]    @,
  } High-level pipe and process management. This function
   runs the given command in parallel with the program.
   The standard output of the command is redirected to a pipe,
   which can be read via the returned input channel.
   The command is interpreted by the shell [/bin/sh]
   (or [cmd.exe] on Windows), cf. {!system}.
   The {!Filename.quote_command} function can be used to
   quote the command and its arguments as appropriate for the shell being
   used.  If the command does not need to be run through the shell,
   {!open_process_args_in} can be used as a more robust and
   more efficient alternative to {!open_process_in}. -^    -h  ?  v@@@@@@@- @@%0open_process_out'-j  x  |-j  x  @б@г-Ġ&string-j  x  -j  x  @@	@@ @  0 --------@>S,@A@@г,+out_channel.j  x  .j  x  @@	@@ @@@@@ @@@@.j  x  x@,
   Same as {!open_process_in}, but redirect the standard input of
   the command to a pipe.  Data written to the returned output channel
   is sent to the standard input of the command.
   Warning: writes on output channels are buffered, hence be careful
   to call {!Stdlib.flush} at the right times to ensure
   correct synchronization.
   If the command does not need to be run through the shell,
   {!open_process_args_out} can be used instead of
   {!open_process_out}. ."k    .#s  i  @@@@@@@.: @@%,open_process(..u    ./u    @б@г.&string.9u    .:u    @@	@@ @  0 .;.:.:.;.;.;.;.;@>S,@A@@Вг-*in_channel.Ku    .Lu    @@	@@ @@@г-#+out_channel.Yu    .Zu    @@	@@ @ @@@@ @%
@@@+@ @(.
@@@.iu    @-
   Same as {!open_process_out}, but redirects both the standard input
   and standard output of the command to pipes connected to the two
   returned channels.  The input channel is connected to the output
   of the command, and the output channel to the input of the command.
   If the command does not need to be run through the shell,
   {!open_process_args} can be used instead of
   {!open_process}. .uv    .v|  =  S@@@@@@@. @@;1open_process_full).~  U  Y.~  U  j@б@г.T&string.  m  o.  m  u@@	@@ @  0 ........@Ti,@A@@б#envг.?%array.  m  .  m  @г.q&string.  m  }.  m  @@	@@ @@@@@@ @"@@Вг-*in_channel.  m  .  m  @@	@@ @2@@г-+out_channel.  m  .  m  @@	@@ @@@@г-*in_channel.  m  .  m  @@	@@ @N@@@#	@ @T(@@R9@ @W.  m  y@@@^@ @[a@@@.~  U  U@-
   Similar to {!open_process}, but the second argument specifies
   the environment passed to the command.  The result is a triple
   of channels connected respectively to the standard output, standard input,
   and standard error of the command.
   If the command does not need to be run through the shell,
   {!open_process_args_full} can be used instead of
   {!open_process_full}. .    .    7@@@@@@@/ @$@n4open_process_args_in*/  9  =/  9  Q@б@г.ڠ&string/  9  T/  9  Z@@	@@ @  0 ////////@,@A@@б@г.à%array/#  9  e/$  9  j@г.&string/-  9  ^/.  9  d@@	@@ @@@@@@ @ @@г.	*in_channel/?  9  n/@  9  x@@	@@ @-@@@@ @0@@@6@ @39@@@/M  9  9@-
   [open_process_args_in prog args] runs the program [prog] with arguments
    [args].  The new process executes concurrently with the current process.
    The standard output of the new process is redirected to a pipe, which can be
    read via the returned input channel.

    The executable file [prog] is searched in the path. This behaviour changed
    in 4.12; previously [prog] was looked up only in the current directory.

    The new process has the same environment as the current process.

    @since 4.08.0 /Y  y  y/Z  o  @@@@@@@/q @@F5open_process_args_out+/e    /f    @б@г/8&string/p    /q    @@	@@ @  0 /r/q/q/r/r/r/r/r@_t,@A@@б@г/!%array/    /    @г/S&string/    /    @@	@@ @@@@@@ @ @@г.g+out_channel/    /    @@	@@ @-@@@@ @0@@@6@ @39@@@/    @.S
  o Same as {!open_process_args_in}, but redirect the standard input of the new
    process to a pipe.  Data written to the returned output channel is sent to
    the standard input of the program.  Warning: writes on output channels are
    buffered, hence be careful to call {!Stdlib.flush} at the right times to
    ensure correct synchronization.

    @since 4.08.0 /    /  '  ;@@@@@@@/ @@F1open_process_args,/  =  A/  =  R@б@г/&string/  =  U/  =  [@@	@@ @  0 ////////@_t,@A@@б@г/%array/  =  f/  =  k@г/&string/  =  _/  =  e@@	@@ @@@@@@ @ @@Вг.*in_channel/  =  o/  =  y@@	@@ @0@@г.+out_channel0  =  |0
  =  @@	@@ @>@@@@ @C
@@@*@ @F1
@@@L@ @IO@@@0  =  =@.ǐ
  2 Same as {!open_process_args_out}, but redirects both the standard input and
    standard output of the new process to pipes connected to the two returned
    channels.  The input channel is connected to the output of the program, and
    the output channel to the input of the program.

    @since 4.08.0 0+    0,    @@@@@@@0C @"@\6open_process_args_full-07    08    @б@г0
&string0B    0C    @@	@@ @  0 0D0C0C0D0D0D0D0D@u,@A@@б@г/%array0S    0T    @г0%&string0]    0^    @@	@@ @@@@@@ @ @@б@г0%array0q    0r    @г0C&string0{    0|     @@	@@ @9@@@@@ @>@@Вг/Z*in_channel0  
  0  
  @@	@@ @N@@г/h+out_channel0  
  0  
  &@@	@@ @\@@г/v*in_channel0  
  )0  
  3@@	@@ @j@@@#	@ @p(@@@9@ @s@@@@Z@ @ va@@@|@ @y@@@0    @/k
   Similar to {!open_process_args}, but the third argument specifies the
    environment passed to the new process.  The result is a triple of channels
    connected respectively to the standard output, standard input, and standard
    error of the program.

    @since 4.08.0 0  4  40  8  L@@@@@@@0 @&@.process_in_pid.0  N  R0  N  `@б@г/*in_channel0  N  c0  N  m@@	@@ @  0 00000000@,@A@@г0Š#int0  N  q0  N  t@@	@@ @@@@@ @@@@1   N  N@/	m Return the pid of a process opened via {!open_process_in} or
   {!open_process_args_in}.

    @since 4.12.0 1  u  u1
    @@@@@@@1$ @@%/process_out_pid/1    1    @б@г/+out_channel1#    1$    
@@	@@ @  0 1%1$1$1%1%1%1%1%@>S,@A@@г1#int12    13    @@	@@ @@@@@ @@@@1=    @/吠	o Return the pid of a process opened via {!open_process_out} or
   {!open_process_args_out}.

    @since 4.12.0 1I    1J  r  @@@@@@@1a @@%+process_pid01U    1V    @б@Вг0-*in_channel1c    1d    @@	@@ @  0 1e1d1d1e1e1e1e1e@AV/@A@@г0=+out_channel1s    1t    @@	@@ @	@@@@ @

@@г1U#int1    1    @@	@@ @"@@@@ @%+@@@1    @08	g Return the pid of a process opened via {!open_process} or
   {!open_process_args}.

    @since 4.12.0 1    1    &@@@@@@@1 @@80process_full_pid11  (  ,1  (  <@б@Вг0*in_channel1  (  ?1  (  I@@	@@ @
  0 11111111@Tl/@A@@г0+out_channel1  (  L1  (  W@@	@@ @@@г0*in_channel1  (  Z1  (  d@@	@@ @@@@%	@ @$*@@г1#int1  (  h1  (  k@@	@@ @1@@@@ @4:@@@1  (  (@0	q Return the pid of a process opened via {!open_process_full} or
   {!open_process_args_full}.

    @since 4.12.0 1  l  l1    @@@@@@@2 @@G0close_process_in22
    2    @б@г0*in_channel2    2    @@	@@ @  0 22222222@`x,@A@@г&.process_status2$    	2%    @@	@@ @@@@@ @@@@2/    @0א	 Close channels opened by {!open_process_in},
   wait for the associated command to terminate,
   and return its termination status. 2;    2<  z  @@@@@@@2S @@%1close_process_out32G    2H    @б@г1+out_channel2R    2S    @@	@@ @  0 2T2S2S2T2T2T2T2T@>S,@A@@г&ޠ.process_status2a    2b    @@	@@ @@@@@ @@@@2l    @1	 Close channels opened by {!open_process_out},
   wait for the associated command to terminate,
   and return its termination status. 2x    2y  =  e@@@@@@@2 @@%-close_process42  g  k2  g  x@б@Вг1\*in_channel2  g  {2  g  @@	@@ @  0 22222222@AV/@A@@г1l+out_channel2  g  2  g  @@	@@ @@@@@ @
@@г'1.process_status2  g  2  g  @@	@@ @"@@@@ @%+@@@2  g  g@1g	 Close channels opened by {!open_process},
   wait for the associated command to terminate,
   and return its termination status. 2    2    -@@@@@@@2 @@82close_process_full52  /  32  /  E@б@Вг1*in_channel2  H  J2  H  T@@	@@ @  0 22222222@Tl/@A@@г1+out_channel2  H  W2  H  b@@	@@ @@@г1*in_channel3  H  e3  H  o@@	@@ @ @@@%	@ @!$*@@г'.process_status3  H  s3  H  @@	@@ @"1@@@@ @#4:@@@3!  /  /@1ɐ	 Close channels opened by {!open_process_full},
   wait for the associated command to terminate,
   and return its termination status. 3-    3.    @@@@@@@3E @@G3C4 {1 Symbolic links} 3>    3?    *@@@@@@  0 3=3<3<3=3=3=3=3=@Wo#@A'symlink63J  -  13K  -  8@б&to_dirг3$bool3W  -  h3X  -  l@@	@@ @$@@б#srcг30&string3h  p  3i  p  @@	@@ @%-@@б#dstг3A&string3y  p  3z  p  @@	@@ @&>@@г35$unit3  p  3  p  @@	@@ @'K@@@ @(N3  p  	@@3(@ @)R3  p  ~
@@H@@@ @*
@ @+Z3  -  ;@@	@3  -  -@2F
   [symlink ?to_dir ~src ~dst] creates the file [dst] as a symbolic link
   to the file [src]. On Windows, [~to_dir] indicates if the symbolic link
   points to a directory or a file; if omitted, [symlink] examines [src]
   using [stat] and picks appropriately, if [src] does not exist then [false]
   is assumed (for this reason, it is recommended that the [~to_dir] parameter
   be specified in new code). On Unix, [~to_dir] is ignored.

   Windows symbolic links are available in Windows Vista onwards. There are some
   important differences between Windows symlinks and their POSIX counterparts.

   Windows symbolic links come in two flavours: directory and regular, which
   designate whether the symbolic link points to a directory or a file. The type
   must be correct - a directory symlink which actually points to a file cannot
   be selected with chdir and a file symlink which actually points to a
   directory cannot be read or written (note that Cygwin's emulation layer
   ignores this distinction).

   When symbolic links are created to existing targets, this distinction doesn't
   matter and [symlink] will automatically create the correct kind of symbolic
   link. The distinction matters when a symbolic link is created to a
   non-existent target.

   The other caveat is that by default symbolic links are a privileged
   operation. Administrators will always need to be running elevated (or with
   UAC disabled) and by default normal user accounts need to be granted the
   SeCreateSymbolicLinkPrivilege via Local Security Policy (secpol.msc) or via
   Active Directory.

   {!has_symlink} can be used to check that a process is able to create
   symbolic links. 3    3   '  <@@@@@@@3 @'@n+has_symlink73  >  B3  >  M@б@г3p$unit3  >  P3  >  T@@	@@ @,  0 33333333@,@A@@г3$bool3  >  X3  >  \@@	@@ @-@@@@ @.@@@3  >  >@2
  4 Returns [true] if the user is able to create symbolic links. On Windows,
   this indicates that the user not only has the SeCreateSymbolicLinkPrivilege
   but is also running elevated, if necessary. On other platforms, this is
   simply indicates that the symlink system call is available.
   @since 4.03.0 3  ]  ]3    @@@@@@@3 @@%(readlink83	    3	    @б@г3Ơ&string3	    3	    @@	@@ @/  0 4 334 4 4 4 4 @>S,@A@@г3ՠ&string4
	    4	    @@	@@ @0@@@@ @1@@@4	    @2	' Read the contents of a symbolic link. 4$
    4%
    @@@@@@@4< @@%4:- {1 Polling} 45
    46
    @@@@@@  0 4443434444444444@5J#@A&select94A     4B    @б$readг3堐$list4N  	  4O  	  @г#*file_descr4X  	  4Y  	  @@	@@ @2&@@@@@ @4+@@б%writeг4$list4n  	  44o  	  8@г#*file_descr4x  	  )4y  	  3@@	@@ @5F@@@@@ @7K@@б&exceptг4%$list4  	  N4  	  R@г#Ϡ*file_descr4  	  C4  	  M@@	@@ @8f@@@@@ @:k@@б'timeoutг4r%float4  V  b4  V  g@@	@@ @;|@@Вг4U$list4  V  v4  V  z@г#*file_descr4  V  k4  V  u@@	@@ @<@@@@@ @>@@г4r$list4  V  4  V  @г$*file_descr4  V  }4  V  @@	@@ @?@@@@@ @A@@г4$list4  V  4  V  @г$9*file_descr5  V  5  V  @@	@@ @Bа@@@@@ @Dհ@@@B&
@ @E۰K@@pe@ @Fް5  V  Z@@{@ @G5  	  <"@@@ @H5  	  #&@@@ @I5"  	  *@@@5%    -@3͐
  _ Wait until some input/output operations become possible on
   some channels. The three list arguments are, respectively, a set
   of descriptors to check for reading (first argument), for writing
   (second argument), or for exceptional conditions (third argument).
   The fourth argument is the maximal timeout, in seconds; a
   negative fourth argument means no timeout (unbounded wait).
   The result is composed of three sets of descriptors: those ready
   for reading (first component), ready for writing (second component),
   and over which an exceptional condition is pending (third
   component). 51    52    @@@@@@@5I @<@5G- {1 Locking} 5B    5C    @@@@@@  0 5A5@5@5A5A5A5A5A@	#@AA  ( ,lock_command:O5O     5P     *@@  8 @@'F_ULOCK;@@5Y!  A  E5Z!  A  L@41 Unlock a region 5f!  A  S5g!  A  i@@@@@@@5~ &F_LOCK<@@5o"  j  l5p"  j  t@4	8 Lock a region for writing, and block if already locked 5|"  j  |5}"  j  @@@@@@@5 'F_TLOCK=@@5#    5#    @4.	6 Lock a region for writing, or fail if already locked 5#    5#    @@@@@@@5 &F_TEST>@@5$    
5$    @4D	' Test a region for other process locks 5$    5$    F@@@@@@@5 'F_RLOCK?@@5%  G  I5%  G  R@4Z	8 Lock a region for reading, and block if already locked 5%  G  Y5%  G  @@@@@@@5 (F_TRLOCK@@@5&    5&    @4p	6 Lock a region for reading, or fail if already locked 5&    5&    @@@@@@@5 @@A.,lock_command@@ @K@@@@5     @48 Commands for {!lockf}. 5'    5'    @@@@@@@A@6 @@@@5"  j  n@@@{{5#    y@@@|ykk6$    i@@@li[[6
%  G  KY@@@\YKK6&    I@@@LI@Aг;$Unix=6     -6     >@@D  0 66666666@  8 @@@A@@P@MP@J@@@@HF@@9@A
@@IG@I`@%lockfA60)    61)    
@б@г%r*file_descr6;)    6<)    @@	@@ @]  0 6=6<6<6=6=6=6=6=@@A@@б$modeг,lock_command6N)    #6O)    /@@	@@ @^@@б#lenг6/#int6_)    76`)    :@@	@@ @_$@@г6$unit6l)    >6m)    B@@	@@ @`1@@@ @a46u)    3	@@3(@ @b86y)    
@@@?@ @c<B@@@6)    @5'
  @ [lockf fd ~mode ~len] puts a lock on a region of the file opened
   as [fd]. The region starts at the current read/write position for
   [fd] (as set by {!lseek}), and extends [len] bytes forward if
   [len] is positive, [len] bytes backwards if [len] is negative,
   or to the end of the file if [len] is zero.
   A write lock prevents any other
   process from acquiring a read or write lock on the region.
   A read lock prevents any other
   process from acquiring a write lock on the region, but lets
   other processes acquire read locks on it.

   The [F_LOCK] and [F_TLOCK] commands attempts to put a write lock
   on the specified region.
   The [F_RLOCK] and [F_TRLOCK] commands attempts to put a read lock
   on the specified region.
   If one or several locks put by another process prevent the current process
   from acquiring the lock, [F_LOCK] and [F_RLOCK] block until these locks
   are removed, while [F_TLOCK] and [F_TRLOCK] fail immediately with an
   exception.
   The [F_ULOCK] removes whatever locks the current process has on
   the specified region.
   Finally, the [F_TEST] command tests whether a write lock can be
   acquired on the specified region, without actually putting a lock.
   It returns immediately if successful, or fails otherwise.

   What happens when a process tries to lock a region of a file that is
   already locked by the same process depends on the OS.  On POSIX-compliant
   systems, the second lock operation succeeds and may "promote" the older
   lock from read lock to write lock.  On Windows, the second lock
   operation will block or fail. 6*  C  C6G  e  @@@@@@@6 @"@O6	} {1 Signals}
   Note: installation of signal handlers is performed via
   the functions {!Sys.signal} and {!Sys.set_signal}.
6J    6M    
@@@@@@  0 66666666@_t#@A$killB6O    6O    @б#pidг6#int6O    6O    !@@	@@ @d@@б&signalг6#int6O    ,6O    /@@	@@ @e-@@г6$unit6O    36O    7@@	@@ @f:@@@ @g=6O    %	@@3(@ @hA6O    
@@@6O    @5	 [kill ~pid ~signal] sends signal number [signal] to the process
   with id [pid].

   On Windows: only the {!Sys.sigkill} signal is emulated. 6P  8  86S    @@@@@@@7 @@UA  ( 3sigprocmask_commandCP6U    6U    @@  8 @@+SIG_SETMASKD@@7V    7V    @@7 )SIG_BLOCKE@@7W    7W    !@@7' +SIG_UNBLOCKF@@7X  "  $7X  "  1@@70 @@A/3sigprocmask_command@@ @j@@@@7#U    @@A@7: @&&$#@@@&@""7/W     @@@#@75X  "  &@@@ @@Aг$Unix7?U    7@U    @@%  0 7>7=7=7>7>7>7>7>@cL  8 @@@AS@@Q@lQ@i@@@@*@@@(@A
@@+@@  0 7J7I7I7J7J7J7J7J@@A,6@+sigprocmaskG7WZ  3  77XZ  3  B@б$modeгh3sigprocmask_command7dZ  3  J7eZ  3  ]@@	@@ @|  0 7f7e7e7f7f7f7f7f@(sm@A@@б@г7$list7uZ  3  e7vZ  3  i@г7O#int7Z  3  a7Z  3  d@@	@@ @}@@@@@ @ @@г7($list7Z  3  q7Z  3  u@г7k#int7Z  3  m7Z  3  p@@	@@ @7@@@@@ @<@@@#@ @?*@@PE@ @B7Z  3  E@@@7Z  3  3@6W
   [sigprocmask ~mode sigs] changes the set of blocked signals.
   If [mode] is [SIG_SETMASK], blocked signals are set to those in
   the list [sigs].
   If [mode] is [SIG_BLOCK], the signals in [sigs] are added to
   the set of blocked signals.
   If [mode] is [SIG_UNBLOCK], the signals in [sigs] are removed
   from the set of blocked signals.
   [sigprocmask] returns the set of previously blocked signals.

   When the systhreads version of the [Thread] module is loaded, this
   function redirects to [Thread.sigmask]. I.e., [sigprocmask] only
   changes the mask of the current thread.

   On Windows: not implemented (no inter-process signals on Windows). 7[  v  v7h    @@@@@@@7 @-@V*sigpendingH7j    7j    !@б@г7$unit7j    $7j    (@@	@@ @  0 77777777@o,@A@@г7x$list7j    07j    4@г7#int7j    ,7j    /@@	@@ @@@@@@ @@@@$@ @!'@@@7j    @6	 Return the set of blocked signals that are currently pending.

   On Windows: not implemented (no inter-process signals on Windows). 8k  5  58m  x  @@@@@@@8 @)@4*sigsuspendI8o    8o    @б@г7$list8o    8o    @г7#int8(o    8)o    @@	@@ @  0 8*8)8)8*8*8*8*8*@Wl6@A@@@	@@ @
@@г7렐$unit8<o    8=o    @@	@@ @@@@@ @@@@8Go    @6
   [sigsuspend sigs] atomically sets the blocked signals to [sigs]
   and waits for a non-ignored, non-blocked signal to be delivered.
   On return, the blocked signals are reset to their initial value.

   On Windows: not implemented (no inter-process signals on Windows). 8Sp    8Tt    @@@@@@@8k @@*%pauseJ8_v    8`v    @б@г8$unit8jv    8kv    @@	@@ @  0 8l8k8k8l8l8l8l8l@Cb,@A@@г8($unit8yv    8zv    @@	@@ @@@@@ @@@@8v    @7,	 Wait until a non-ignored, non-blocked signal is delivered.

  On Windows: not implemented (no inter-process signals on Windows). 8w    8y  T  @@@@@@@8 @@%84 {1 Time functions} 8|    8|    @@@@@@  0 88888888@5J#@AA  ( -process_timesKQ8    8    @@  8 @@)tms_utimeL@8@@ @8    8    @7d; User time for the process 8    8    @@@@@@@8 )tms_stimeM@8@@ @8    !8    3@7}= System time for the process 8    58    W@@@@@@@8*tms_cutimeN@8@@ @8  X  \8  X  o@7	& User time for the children processes 8  X  p8  X  @@@@@@@9*tms_cstimeO@8@@ @9    9    @7	( System time for the children processes 9    9    @@@@@@@9+@AA1-process_times@@ @@@@@9    9    @7ǐ	/ The execution times (CPU times) of a process. 9+    9,    @@@@@@@@@9C @}}x93    @@Ш@г%float9<    9=    @@  0 9;9:9:9;9;9;9;9;@  8 @@@A@@R@R@@@@@+(@@@A
@@@S@
@{9O    *@@Ш@г%float9X    -9Y    2@@@@@S@@yyt9a  X  f@@Ш@г|%float9j  X  i9k  X  n@@.@@@S@1@rrm9s    @@Ш@гu%float9|    9}    @@}@@@@S@C@|y@Aгk$Unixm9    9    @@tM@@ol@on@A  ( "tmPR9    !9    #@@  8 @@&tm_secQ@9u@@ @9  0  49  0  A@8L/ Seconds 0..60 9  0  P9  0  d@@@@@@@9&tm_minR@9@@ @9  e  i9  e  v@8e/ Minutes 0..59 9  e  9  e  @@@@@@@9'tm_hourS@9@@ @ð9    9    @8~- Hours 0..23 9    9    @@@@@@@9'tm_mdayT@9@@ @ư9    9    @84 Day of month 1..31 9    9    @@@@@@@:&tm_monU@9@@ @ɰ:    :    @85 Month of year 0..11 :    ':    A@@@@@@@:,	'tm_yearV@9@@ @̰:   B  F:!  B  T@8ɐ- Year - 1900 :-  B  b:.  B  t@@@@@@@:E
'tm_wdayW@:@@ @ϰ:9  u  y::  u  @8␠; Day of week (Sunday is 0) :F  u  :G  u  @@@@@@@:^'tm_ydayX@:$@@ @Ұ:R    :S    @84 Day of year 0..365 :_    :`    @@@@@@@:w(tm_isdstY@:-@@ @հ:k    :l    @9	! Daylight time savings in effect :x    :y    6@@@@@@@:
@@A35"tm@@ @@@@@:    :  7  :@9,	9 The type representing wallclock time and calendar date. :  ;  ;:  ;  y@@@@@@@@@:@:  0  :@@Ш@г#int:  0  =:  0  @@@  0 ::::::::@  8 @@@A@@S@S@@@@@,)@@@A
@@@T@@:  e  o@@Ш@г#int:  e  r:  e  u@@	@@@T@ @:    @@Ш@г#int:    :    @@/@@@T@2@:    @@Ш@г#int:    :    @@A@@@T@D@:    @@Ш@г점#int:    :    @@S@@@T@V@:  B  M@@Ш@г堐#int;  B  P;  B  S@@e@@@T@h@۠۰;  u  @@Ш@гޠ#int;  u  ;  u  @@w@@@T@z@Ԡ԰;!    @@Ш@гנ#int;*    ;+    @@@@@T@@۠͠Ͱ;3    @@Ш@гР$bool;<    ;=    @@@@@T@@@AгƠ$UnixȰ;I    &;J    -@@@@@  0 ;I;H;H;I;I;I;I;I@@A@$timeZ;V  |  ;W  |  @б@г;$unit;a  |  ;b  |  @@	@@ @  0 ;c;b;b;c;c;c;c;c@@A@@г;4%float;p  |  ;q  |  @@	@@ @@@@@ @@@@;{  |  |@:#	J Return the current time since 00:00:00 GMT, Jan. 1, 1970,
   in seconds. ;    ;    @@@@@@@;@@%,gettimeofday[;    ;    @б@г;M$unit;    ;    @@	@@ @  0 ;;;;;;;;@>S,@A@@г;q%float;    ;    @@	@@ @@@@@ @	@@@;    @:`	< Same as {!time}, but with resolution better than 1 second. ;    ;    H@@@@@@@;@@%&gmtime\;  J  N;  J  T@б@г;%float;  J  W;  J  \@@	@@ @
  0 ;;;;;;;;@>S,@A@@гT"tm;  J  `;  J  b@@	@@ @@@@@ @@@@;  J  J@:
   Convert a time in seconds, as returned by {!time}, into a date and
   a time. Assumes UTC (Coordinated Universal Time), also known as GMT.
   To perform the inverse conversion, set the TZ environment variable
   to "UTC", use {!mktime}, and then restore the original value of TZ. <  c  c<  8  @@@@@@@<@@%)localtime]<
    <    @б@г;ܠ%float<    <    @@	@@ @
  0 <<<<<<<<@>S,@A@@г"tm<'    <(    @@	@@ @@@@@ @@@@<2    @:ڐ	 Convert a time in seconds, as returned by {!time}, into a date and
   a time. Assumes the local time zone.
   The function performing the inverse conversion is {!mktime}. <>    <?    P@@@@@@@<V@@%&mktime^<J  R  V<K  R  \@б@г"tm<U  R  _<V  R  a@@	@@ @  0 <W<V<V<W<W<W<W<W@>S,@A@@Вг<+%float<g  R  e<h  R  j@@	@@ @@@гߠ"tm<u  R  m<v  R  o@@	@@ @ @@@@ @%
@@@+@ @(.
@@@<  R  R@;-
   Convert a date and time, specified by the [tm] argument, into
   a time in seconds, as returned by {!time}.  The [tm_isdst],
   [tm_wday] and [tm_yday] fields of [tm] are ignored.  Also return a
   normalized copy of the given [tm] record, with the [tm_wday],
   [tm_yday], and [tm_isdst] fields recomputed from the other fields,
   and the other fields normalized (so that, e.g., 40 October is
   changed into 9 November).  The [tm] argument is interpreted in the
   local time zone. <  p  p<  E  [@@@@@@@<@@;%alarm_<  ]  a<  ]  f@б@г<x#int<  ]  i<  ]  l@@	@@ @  0 <<<<<<<<@Ti,@A@@г<#int<  ]  p<  ]  s@@	@@ @@@@@ @@@@<  ]  ]@;j	a Schedule a [SIGALRM] signal after the given number of seconds.

   On Windows: not implemented. <  t  t<  ĸ  @@@@@@@<@@%%sleep`<    <    @б@г<#int<    <    @@	@@ @  0 <<<<<<<<@>S,@A@@г<$unit<    <    @@	@@ @@@@@ @@@@<    @;	1 Stop execution for the given number of seconds. =    =    *@@@@@@@=#@@%&sleepfa=  ,  0=  ,  6@б@г<栐%float="  ,  9=#  ,  >@@	@@ @  0 =$=#=#=$=$=$=$=$@>S,@A@@г<ࠐ$unit=1  ,  B=2  ,  F@@	@@ @@@@@ @@@@=<  ,  ,@;䐠	 Stop execution for the given number of seconds.  Like [sleep],
    but fractions of seconds are supported.

    @since 4.12.0 =H  G  G=I  ŷ  @@@@@@@=`@@%%timesb=T    =U    @б@г=$unit=_    =`    @@	@@ @  0 =a=`=`=a=a=a=a=a@>S,@A@@г-process_times=n    =o    @@	@@ @@@@@ @ @@@=y    @<!	 Return the execution times of the process.

   On Windows: partially implemented, will not report timings
   for child processes. =    =  ]  w@@@@@@@=@@%&utimesc=  y  }=  y  ƃ@б@г=d&string=  y  Ɔ=  y  ƌ@@	@@ @!  0 ========@>S,@A@@б&accessг=s%float=  y  Ɨ=  y  Ɯ@@	@@ @"@@б%modifг=%float=  y  Ʀ=  y  ƫ@@	@@ @#$@@г=|$unit=  y  Ư=  y  Ƴ@@	@@ @$1@@@ @%4=  y  Ơ	@@3(@ @&8=  y  Ɛ
@@@?@ @'<B@@@=  y  y@<
   Set the last access time (second arg) and last modification time
   (third arg) for a file. Times are expressed in seconds from
   00:00:00 GMT, Jan. 1, 1970.  If both times are [0.0], the access
   and last modification times are both set to the current time. =  ƴ  ƴ=  |  ǿ@@@@@@@>@"@OA  ( .interval_timerdS=    =    @@  8 @@+ITIMER_REALe@@>    >    @<	P decrements in real time, and sends the signal [SIGALRM] when
          expired.>    >  D  X@@@@@@@>(.ITIMER_VIRTUALf@@>  Y  [>  Y  k@<	S decrements in process virtual time, and sends [SIGVTALRM] when
          expired. >&  l  r>'  ȵ  @@@@@@@>>+ITIMER_PROFg@@>/    >0    @<ؐ	 (for profiling) decrements both when the process
         is running and when the system is running on behalf of the
         process; it sends [SIGPROF] when expired. ><    >=  Z  ɏ@@@@@@@>T@@A6.interval_timer@@ @)@@@@>G    @<	% The three kinds of interval timers. >S  ɐ  ɐ>T  ɐ  ɺ@@@@@@@A@>k@ZZXW@@@ZWII>`  Y  ]G@@@JG99>f    7@@@:7@Aг)$Unix+>p    >q    @@2  0 >o>n>n>o>o>o>o>o@  8 @@@A@@T@+T@(@@@@75@@(@A
@@86@  0 >{>z>z>{>{>{>{>{@@A9P@A  ( 5interval_timer_statushT>  ɼ  >  ɼ  @@  8 @@+it_intervali@>\@@ @<>    >    @=?( Period >    >    $@@@@@@@>(it_valuej@>u@@ @?>  %  )>  %  :@=X< Current value of the timer >  %  F>  %  g@@@@@@@>@AA7y5interval_timer_status@@ @B@@@@>  ɼ  ɼ>  h  k@=p	5 The type describing the status of an interval timer >  l  l>  l  ʦ@@@@@@@@@>@KKF>    @@Ш@гN%float>    >    
@@V  0 >>>>>>>>@ve  8 @@@Al@@U@DU@;@@@@,)@@@A
@@d@V@=@`]OOJ>  %  1@@Ш@гR%float?  %  4?  %  9@@Z@@]@V@@ @YV@AгH$UnixJ?  ɼ  ?  ɼ  @@Q*@@LI@  0 ????????@*@AML@)getitimerk?  ʨ  ʬ?  ʨ  ʵ@б@г..interval_timer?'  ʨ  ʸ?(  ʨ  @@	@@ @Y  0 ?)?(?(?)?)?)?)?)@E@A@@г5interval_timer_status?6  ʨ  ?7  ʨ  @@	@@ @Z@@@@ @[@@@?A  ʨ  ʨ@=鐠	Y Return the current status of the given interval timer.

   On Windows: not implemented. ?M    ?N    >@@@@@@@?e@@%)setitimerl?Y  @  D?Z  @  M@б@гk.interval_timer?d  P  R?e  P  `@@	@@ @\  0 ?f?e?e?f?f?f?f?f@>S,@A@@б@г점5interval_timer_status?u  P  d?v  P  y@@	@@ @]@@г5interval_timer_status?  P  }?  P  ˒@@	@@ @^@@@@ @_!@@@'@ @`$*@@@?  @  @@>8
   [setitimer t s] sets the interval timer [t] and returns
   its previous status. The [s] argument is interpreted as follows:
   [s.it_value], if nonzero, is the time to the next timer expiration;
   [s.it_interval], if nonzero, specifies a value to
   be used in reloading [it_value] when the timer expires.
   Setting [s.it_value] to zero disables the timer.
   Setting [s.it_interval] to zero causes the timer to be disabled
   after its next expiration.

   On Windows: not implemented. ?  ˓  ˓?  `  ͂@@@@@@@? @@7?7 {1 User id, group id} ?  ͅ  ͅ?  ͅ  ͡@@@@@@  0 ????????@G\#@A&getuidm?  ͣ  ͧ?  ͣ  ͭ@б@г?s$unit?  ͣ  Ͱ?  ͣ  ʹ@@	@@ @a@@г?#int?  ͣ  ͸?  ͣ  ͻ@@	@@ @b'@@@@ @c*@@@?  ͣ  ͣ@>	[ Return the user id of the user executing the process.

   On Windows: always returns [1]. ?  ͼ  ͼ?    @@@@@@@@ !@@='geteuidn?    "?    )@б@г?$unit?    ,@     0@@	@@ @d  0 @@ @ @@@@@@VQ,@A@@г?ޠ#int@    4@    7@@	@@ @e@@@@ @f@@@@    @>	` Return the effective user id under which the process runs.

   On Windows: always returns [1]. @%  8  8@&  x  Ν@@@@@@@@="@@%&setuido@1  Ο  Σ@2  Ο  Ω@б@г@#int@<  Ο  ά@=  Ο  ί@@	@@ @g  0 @>@=@=@>@>@>@>@>@>S,@A@@г?$unit@K  Ο  γ@L  Ο  η@@	@@ @h@@@@ @i@@@@V  Ο  Ο@>	^ Set the real user id and effective user id for the process.

   On Windows: not implemented. @b  θ  θ@c     @@@@@@@@z#@@%&getgidp@n    !@o    '@б@г@($unit@y    *@z    .@@	@@ @j  0 @{@z@z@{@{@{@{@{@>S,@A@@г@X#int@    2@    5@@	@@ @k@@@@ @l@@@@    @?;	\ Return the group id of the user executing the process.

   On Windows: always returns [1]. @  6  6@  r  ϗ@@@@@@@@$@@%'getegidq@  ϙ  ϝ@  ϙ  Ϥ@б@г@e$unit@  ϙ  ϧ@  ϙ  ϫ@@	@@ @m  0 @@@@@@@@@>S,@A@@г@#int@  ϙ  ϯ@  ϙ  ϲ@@	@@ @n@@@@ @o@@@@  ϙ  ϙ@?x	a Return the effective group id under which the process runs.

   On Windows: always returns [1]. @  ϳ  ϳ@
    @@@@@@@@%@@%&setgidr@    @    %@б@г@à#int@    (@    +@@	@@ @p  0 @@@@@@@@@>S,@A@@г@$unitA    /A    3@@	@@ @q@@@@ @r@@@A
    @?	` Set the real group id and effective group id for the process.

   On Windows: not implemented. A
  4  4A  w  Й@@@@@@@A1&@@%)getgroupssA%  Л  ПA&  Л  Ш@б@г@ߠ$unitA0  Л  ЫA1  Л  Я@@	@@ @s  0 A2A1A1A2A2A2A2A2@>S,@A@@г@ߠ%arrayA?  Л  зA@  Л  м@гA#intAI  Л  гAJ  Л  ж@@	@@ @t@@@@@ @v@@@$@ @w!'@@@AY  Л  Л@@	w Return the list of groups to which the user executing the process
   belongs.

   On Windows: always returns [[|1|]]. Ae  н  нAf    9@@@@@@@A}'@)@4)setgroupstAq  ;  ?Ar  ;  H@б@гA%arrayA|  ;  OA}  ;  T@гAV#intA  ;  KA  ;  N@@	@@ @x  0 AAAAAAAA@Wl6@A@@@	@@ @z
@@гAI$unitA  ;  XA  ;  \@@	@@ @{@@@@ @|@@@A  ;  ;@@M	 [setgroups groups] sets the supplementary group IDs for the
    calling process. Appropriate privileges are required.

    On Windows: not implemented. A  ]  ]A    @@@@@@@A(@@**initgroupsuA    A    @б@гA&stringA    A    @@	@@ @}  0 AAAAAAAA@Cb,@A@@б@гA#intA    A    @@	@@ @~@@гA$unitA    A    #@@	@@ @@@@@ @!@@@'@ @$*@@@A    @@	 [initgroups user group] initializes the group access list by
    reading the group database /etc/group and using all groups of
    which [user] is a member. The additional group [group] is also
    added to the list.

    On Windows: not implemented. B   $  $B#    %@@@@@@@B)@@7A  ( ,passwd_entryvUB
%  '  ,B%  '  8@@  8 @@'pw_namew@A@@ @B&  O  SB&  O  d@@B2+)pw_passwdx@A@@ @B&'  e  iB''  e  |@@B>,&pw_uidy@B@@ @B2(  }  ӁB3(  }  ӎ@@BJ-&pw_gidz@B@@ @B>)  ӏ  ӓB?)  ӏ  Ӡ@@BV.(pw_gecos{@B@@ @BJ*  ӡ  ӥBK*  ӡ  ӷ@@Bb/&pw_dir|@B @@ @BV+  Ӹ  ӼBW+  Ӹ  @@Bn0(pw_shell}@B,@@ @Bb,    Bc,    @@Bz1@@A;,passwd_entry@@ @@@@@Bm%  '  'Bn-    @A	0 Structure of entries in the [passwd] database. Bz.    B{.    @@@@@@@@@B*@mmhB&  O  Z@@Ш@гp&stringB&  O  ]B&  O  c@@x  0 BBBBBBBB@  8 @@@A@@V@V@@@@@,)@@@A
@@@W@@@~~yB'  e  r@@Ш@г&stringB'  e  uB'  e  {@@@@@W@ @@B(  }  Ӈ@@Ш@г#intB(  }  ӊB(  }  Ӎ@@/@@@W@2@@B)  ӏ  ә@@Ш@г#intB)  ӏ  ӜB)  ӏ  ӟ@@A@@@W@D@@B*  ӡ  ӭ@@Ш@г&stringB*  ӡ  ӰB*  ӡ  Ӷ@@S@@@W@V@@B+  Ӹ  @@Ш@г&stringB+  Ӹ  B+  Ӹ  @@e@@@W@h@@B,    @@Ш@г&stringC,    @@v@@@W@y@@@Aг$UnixC%  '  ;C%  '  L@@@@@  0 CC
C
CCCCC@@A@A  ( +group_entry~VC0    #C0    .@@  8 @@'gr_name@B@@ @C)1  D  HC*1  D  Y@@CA3)gr_passwd@B@@ @°C52  Z  ^C62  Z  q@@CM4&gr_gid@C@@ @ŰCA3  r  vCB3  r  ԃ@@CY5&gr_mem@BC@@ @@@ @ʰCR4  Ԅ  ԈCS4  Ԅ  ԝ@@Cj6@@A<+group_entry@@ @@@@@C]0    C^5  Ԟ  ԡ@B	0 Structure of entries in the [groups] database. Cj6  Ԣ  ԢCk6  Ԣ  @@@@@@@@@C2@NNICr1  D  O@@Ш@гQ&stringC{1  D  RC|1  D  X@@Y  0 CzCyCyCzCzCzCzCz@wqh  8 @@@Ao@@W@W@@@@@,)@@@A
@@g@X@@c@__ZC2  Z  g@@Ш@гb&stringC2  Z  jC2  Z  p@@j@@m@X@ @i@ee`C3  r  |@@Ш@гh#intC3  r  C3  r  Ԃ@@p/@@s@X@2@o@kkaC4  Ԅ  Ԏ@@Ш@гn%arrayC4  Ԅ  Ԙj@гr&stringC4  Ԅ  ԑC4  Ԅ  ԗ@@zI@@@Ju@@@X@M@y@@Aгu$UnixwC0    1C0    A@@~W@@yv@  0 CCCCCCCC@W@Azy@(getloginC8    C8    @б@гC$unitC8    C8    @@	@@ @  0 CCCCCCCC@r@A@@гC&stringC8    C8    @@	@@ @@@@@ @@@@D8    @B	: Return the login name of the user executing the process. D9    D9    6@@@@@@@D(7@@%(getpwnamD;  8  <D;  8  D@б@гC&stringD';  8  GD(;  8  M@@	@@ @  0 D)D(D(D)D)D)D)D)@>S,@A@@г),passwd_entryD6;  8  QD7;  8  ]@@	@@ @@@@@ @@@@DA;  8  8@B鐠	s Find an entry in [passwd] with the given name.
   @raise Not_found if no such entry exists, or always on Windows. DM<  ^  ^DN=  Ց  @@@@@@@De8@@%(getgrnamDY?    DZ?    @б@гD,&stringDd?    De?    @@	@@ @  0 DfDeDeDfDfDfDfDf@>S,@A@@гW+group_entryDs?    Dt?    @@	@@ @@@@@ @@@@D~?    @C&	s Find an entry in [group] with the given name.

   @raise Not_found if no such entry exists, or always on Windows. D@    DB  0  u@@@@@@@D9@@%(getpwuidDD  w  {DD  w  փ@б@гDq#intDD  w  ֆDD  w  ։@@	@@ @  0 DDDDDDDD@>S,@A@@г,passwd_entryDD  w  ֍DD  w  ֙@@	@@ @@@@@ @@@@DD  w  w@Cc	w Find an entry in [passwd] with the given user id.

   @raise Not_found if no such entry exists, or always on Windows. DE  ֚  ֚DG    @@@@@@@D:@@%(getgrgidDI    DI    $@б@гD#intDI    'DI    *@@	@@ @  0 DDDDDDDD@>S,@A@@гѠ+group_entryDI    .DI    9@@	@@ @@@@@ @@@@DI    @C	w Find an entry in [group] with the given group id.

   @raise Not_found if no such entry exists, or always on Windows. EJ  :  :EL  q  ׶@@@@@@@E;@@%E8 {1 Internet addresses} EO  ׹  ׹EO  ׹  @@@@@@  0 EEEEEEEE@5J#@AA  ( )inet_addrWE"R    E#R    @@  8 @@@A=)inet_addr@@ @@@@@E-R    E.R    @C֐	* The abstract type of Internet addresses. E:S    E;S    (@@@@@@@@@ER<@@Aг$UnixEER    @@   0 ECEBEBECECECECEC@0*  8 @@@A1@@X@X@@@@@$!@@@A#@@%"@:%$@3inet_addr_of_stringEZU  *  .E[U  *  A@б@гE-&stringEeU  *  DEfU  *  J@@	@@ @  0 EgEfEfEgEgEgEgEg@TNH@A@@гR)inet_addrEtU  *  NEuU  *  W@@	@@ @@@@@ @@@@EU  *  *@D'
  c Conversion from the printable representation of an Internet
    address to its internal representation.  The argument string
    consists of 4 numbers separated by periods ([XXX.YYY.ZZZ.TTT])
    for IPv4 addresses, and up to 8 numbers separated by colons
    for IPv6 addresses.
    @raise Failure when given a string that does not match these formats. EV  X  XE[  t  @@@@@@@E=@@%3string_of_inet_addrE]    E]    @б@г)inet_addrE]    E]    @@	@@ @	  0 EEEEEEEE@>S,@A@@гEy&stringE]    E]    @@	@@ @
@@@@ @@@@E]    @Dd	 Return the printable representation of the given Internet address.
    See {!inet_addr_of_string} for a description of the
    printable representation. E^    E`  o  ڏ@@@@@@@E>@@%-inet_addr_anyEb  ڑ  ڕEb  ڑ  ڢ@г)inet_addrEb  ڑ  ڥEb  ڑ  ڮ@@	@@ @  0 EEEEEEEE@<Q*@A@@@Eb  ڑ  ڑ
@D	 A special IPv4 address, for use only with [bind], representing
   all the Internet addresses that the host machine possesses. Ec  گ  گEd    3@@@@@@@F?@@2inet_addr_loopbackEf  5  9F f  5  K@г栐)inet_addrFf  5  NF	f  5  W@@	@@ @
  0 F
F	F	F
F
F
F
F
@,?*@A@@@Ff  5  5
@D	E A special IPv4 address representing the host machine ([127.0.0.1]). Fg  X  XFg  X  ۢ@@@@@@@F6@@@.inet6_addr_anyF*i  ۤ  ۨF+i  ۤ  ۶@г)inet_addrF3i  ۤ  ۹F4i  ۤ  @@	@@ @  0 F5F4F4F5F5F5F5F5@,?*@A@@@F=i  ۤ  ۤ
@D吠	 A special IPv6 address, for use only with [bind], representing
   all the Internet addresses that the host machine possesses. FIj    FJk    G@@@@@@@FaA@@3inet6_addr_loopbackFUm  I  MFVm  I  `@г<)inet_addrF^m  I  cF_m  I  l@@	@@ @  0 F`F_F_F`F`F`F`F`@,?*@A@@@Fhm  I  I
@E	? A special IPv6 address representing the host machine ([::1]). Ftn  m  mFun  m  ܱ@@@@@@@FB@@-is_inet6_addrFp  ܳ  ܷFp  ܳ  @б@гi)inet_addrFp  ܳ  Fp  ܳ  @@	@@ @  0 FFFFFFFF@.A,@A@@гFZ$boolFp  ܳ  Fp  ܳ  @@	@@ @@@@@ @@@@Fp  ܳ  ܳ@EM	E Whether the given [inet_addr] is an IPv6 address.
    @since 4.12.0 Fq    Fr    #@@@@@@@FC@@%Fǐ- {1 Sockets} Ft  %  %Ft  %  7@@@@@@  0 FFFFFFFF@5J#@AA  ( -socket_domainXFw  :  ?Fw  :  L@@  8 @@'PF_UNIX@@Fx  d  hFx  d  o@E- Unix domain Fx  d  ݄Fx  d  ݖ@@@@@@@FE'PF_INET@@Fy  ݗ  ݙFy  ݗ  ݢ@E8 Internet domain (IPv4) Fy  ݗ  ݷFy  ݗ  @@@@@@@GF(PF_INET6@@Gz    Gz    @E8 Internet domain (IPv6) Gz    Gz    @@@@@@@G*G@@A?-socket_domain@@ @@@@@Gw  :  :@EŐ	 The type of socket domains.  Not all platforms support
    IPv6 sockets (type [PF_INET6]).

    On Windows: [PF_UNIX] not implemented.  G){    G*~  s  ޡ@@@@@@@A@GAD@ZZXW@@@ZWIIG6y  ݗ  ݛG@@@JG99G<z    7@@@:7@Aг)$Unix+GFw  :  OGGw  :  a@@2  0 GEGDGDGEGEGEGEGE@  8 @@@A@@Y@Y@@@@@64@@'@A
@@75@7N@A  ( +socket_typeYG]  ޣ  ިG^  ޣ  ޳@@  8 @@+SOCK_STREAM@@Gg    Gh    @F/ Stream socket Gt    Gu    @@@@@@@GI*SOCK_DGRAM@@G}     G~    @F&1 Datagram socket G    G    4@@@@@@@GJ(SOCK_RAW@@G  5  7G  5  A@F<, Raw socket G  5  UG  5  f@@@@@@@GK.SOCK_SEQPACKET@@G  g  iG  g  y@FR: Sequenced packets socket G  g  ߇G  g  ߦ@@@@@@@GL@@A@s+socket_type@@ @'@@@@G  ޣ  ޣ@Fi	 The type of socket kinds, specifying the semantics of
   communications.  [SOCK_SEQPACKET] is included for completeness,
   but is rarely supported by the OS, and needs system calls that
   are not available in this library. G  ߧ  ߧG  f  @@@@@@@A@GH@ppnm@@@pm__G    ]@@@`]OOG  5  9M@@@PM??G  g  k=@@@@=@Aг/$Unix1G  ޣ  ޶G  ޣ  @@8  0 GGGGGGGG@0*$  8 @@@A@@Z@)Z@&@@@@=;@@.@A
@@><@  0 GGGGGGGG@@A?V@A  ( (sockaddrZH	    H
    @@  8 @@)ADDR_UNIXG@@ @:@@H    H    @@H0N)ADDR_INET@@ @;G@@ @<@@H+    H,    @@HCO@@A@(sockaddr@@ @=@@@@H6    @Fސ
   The type of socket addresses. [ADDR_UNIX name] is a socket
   address in the Unix domain; [name] is a file name in the file
   system. [ADDR_INET(addr,port)] is a socket address in the Internet
   domain; [addr] is the Internet address of the machine, and
   [port] is the port number. HB    HC    @@@@@@@@@HZM@992HJ    @г:&stringHS    ;@@A  0 HQHPHPHQHQHQHQHQ@cR  8 @@@AY@@[@?[@9@@@@*(@@@A
G@@@@I@EEHd    He    @гG)inet_addrHn    Ho    @@O@@гL#intHx    M@@S%N@@@@P@@AгL$UnixNH    H    @@U0@@PN@  0 HHHHHHHH@0@AQ[@&socketH    H    @б'cloexecгH\$boolH  !  QH  !  U@@	@@ @Y  0 HHHHHHHH@M@A@@б&domainгࠐ-socket_domainH  Y  dH  Y  q@@	@@ @Z@@б$kindгc+socket_typeH  Y  zH  Y  @@	@@ @[$@@б(protocolгH#intH  Y  H  Y  @@	@@ @\5@@г8*file_descrH  Y  H  Y  @@	@@ @]B@@@ @^EH  Y  	@@3(@ @_IH  Y  u
@@H=@ @`MH  Y  ]@@_&
W@@ @a
@ @bUH  !  #@@	@H    @G
    Create a new socket in the given domain, and with the
   given kind. The third argument is the protocol type; 0 selects
   the default protocol for that kind of sockets.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. I    I    @@@@@@@IP@+@i2domain_of_sockaddrI    I    @б@г(sockaddrI    I    @@	@@ @c  0 IIIIIIII@,@A@@г]-socket_domainI,    I-    @@	@@ @d@@@@ @e@@@I7    @Gߐ	A Return the socket domain adequate for the given socket address. IC    ID    #@@@@@@@I[Q@@%*socketpairIO  %  )IP  %  3@б'cloexecгI$boolI\  6  fI]  6  j@@	@@ @f  0 I^I]I]I^I^I^I^I^@@U.@A@@б&domainг-socket_domainIo  n  yIp  n  @@	@@ @g@@б$kindг#+socket_typeI  n  I  n  @@	@@ @h$@@б(protocolгIa#intI  n  I  n  @@	@@ @i5@@Вг8ؠ*file_descrI    I    @@	@@ @jE@@г8栐*file_descrI    I    @@	@@ @kS@@@@ @lX
@@4)@ @m[I  n  @@I>@ @n_I  n  @@^S@ @ocI  n  r@@u&m@@ @p
@ @qkI  6  8@@	@I  %  %!@Hx	 Create a pair of unnamed sockets, connected together.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. I    I  C  [@@@@@@@IR@0@&acceptI  ]  aI  ]  g@б'cloexecгI$boolI  ]  I  ]  @@	@@ @r  0 IIIIIIII@.@A@@б@г9=*file_descrJ    J    @@	@@ @s@@Вг9M*file_descrJ    J    @@	@@ @t!@@г(sockaddrJ$    J%    @@	@@ @u/@@@@ @v4
@@@)@ @w7,
@@H'L@@@ @x	@ @y>J9  ]  j@@	@J<  ]  ]@H䐠	 Accept connections on the given socket. The returned descriptor
   is a socket connected to the client; the returned address is
   the address of the connecting client.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. JH    JI    @@@@@@@J`S@'@R$bindJT    JU    @б@г9*file_descrJ_    J`    @@	@@ @z  0 JaJ`J`JaJaJaJaJa@k,@A@@б$addrгi(sockaddrJr    Js    @@	@@ @{@@гJ.$unitJ    J    @@	@@ @| @@@ @}#J    	@@@*@ @~'-@@@J    @I6> Bind a socket to an address. J    J    )@@@@@@@JT@@:'connectJ  +  /J  +  6@б@г9蠐*file_descrJ  +  9J  +  C@@	@@ @  0 JJJJJJJJ@Sh,@A@@б$addrг(sockaddrJ  +  LJ  +  T@@	@@ @@@гJ$unitJ  +  XJ  +  \@@	@@ @ @@@ @#J  +  G	@@@*@ @'-@@@J  +  +@I	! Connect a socket to an address. J  ]  ]J  ]  @@@@@@@KU@@:&listenJ    J    @б@г::*file_descrK    K    @@	@@ @  0 KKKKKKKK@Sh,@A@@б#maxгJ栐#intK    K    @@	@@ @@@гJҠ$unitK#    K$    @@	@@ @ @@@ @#K,    	@@@*@ @'-@@@K2    @Iڐ	w Set up a socket for receiving connection requests. The integer
   argument is the maximal number of pending requests. K>    K?    ,@@@@@@@KVV@@:A  ( 0shutdown_command[KK  .  3KL  .  C@@  8 @@0SHUTDOWN_RECEIVE@@KU  ^  bKV  ^  r@I5 Close for receiving Kb  ^  ~Kc  ^  @@@@@@@KzX-SHUTDOWN_SEND@@Kk    Kl    @J3 Close for sending Kx    Ky    @@@@@@@KY,SHUTDOWN_ALL@@K    K    @J*, Close both K    K    @@@@@@@KZ@@ADK0shutdown_command@@ @@@@@K  .  .@JA	& The type of commands for [shutdown]. K    K    /@@@@@@@A@KW@ZZXW@@@ZWIIK    G@@@JG99K    7@@@:7@Aг)$Unix+K  .  FK  .  [@@2  0 KKKKKKKK@  8 @@@A@@\@\@@@@@75@@(@A
@@86@  0 KKKKKKKK@@A9P@(shutdownK  2  6K  2  >@б@г;*file_descrK  2  AK  2  K@@	@@ @  0 KKKKKKKK@&@A@@б$modeг0shutdown_commandK  2  TK  2  d@@	@@ @@@гK$unitL  2  hL  2  l@@	@@ @ @@@ @#L  2  O	@@@*@ @'-@@@L  2  2@J
   Shutdown a socket connection. [SHUTDOWN_SEND] as second argument
   causes reads on the other end of the connection to return
   an end-of-file condition.
   [SHUTDOWN_RECEIVE] causes writes on the other end of the connection
   to return a closed pipe condition ([SIGPIPE] signal). L   m  mL!  S  @@@@@@@L8[@@:+getsocknameL,    L-    @б@г;n*file_descrL7    L8    @@	@@ @  0 L9L8L8L9L9L9L9L9@Sh,@A@@г=(sockaddrLF    LG    @@	@@ @@@@@ @@@@LQ    @J	) Return the address of the given socket. L]    L^    @@@@@@@Lu\@@%+getpeernameLi    Lj    @б@г;*file_descrLt    Lu    @@	@@ @  0 LvLuLuLvLvLvLvLv@>S,@A@@гz(sockaddrL    	L    @@	@@ @@@@@ @@@@L    @K6	? Return the address of the host connected to the given socket. L    L    V@@@@@@@L]@@%A  ( (msg_flag\L  X  ]L  X  e@@  8 @@'MSG_OOB@@L  x  |L  x  @@L_-MSG_DONTROUTE@@L    L    @@L`(MSG_PEEK@@L    L    @@La@@AE(msg_flag@@ @@@@@L  X  X@Kv	< The flags for {!recv}, {!recvfrom}, {!send} and {!sendto}. L    L    @@@@@@@A@L^@3310@@@3@//L    -@@@0@,,L    *@@@-@@Aг)$Unix+L  X  hL  X  u@@2  0 LLLLLLLL@pY  8 @@@A`@@]@]@@@@@75@@(@A
@@86@  0 MMMMMMMM@@A9C@$recvM    M    @б@г<Q*file_descrM    M    @@	@@ @  0 MMMMMMMM@&~x@A@@б#bufгK%bytesM-    
M.    @@	@@ @@@б#posгM#intM>    M?    @@	@@ @$@@б#lenгM#intMO    "MP    %@@	@@ @5@@б$modeгL$listM`    7Ma    ;@гà(msg_flagMj    .Mk    6@@	@@ @P@@@@@ @U@@гML#intM|    ?M}    B@@	@@ @b@@-@ @eM    )	@@B7@ @iM    
@@WL@ @mM    @@la@ @qM    @@@x@ @u{@@@M    @L?	' Receive data from a connected socket. M  C  CM  C  o@@@@@@@Mb@*@(recvfromM  q  uM  q  }@б@г<*file_descrM    M    @@	@@ @  0 MMMMMMMM@,@A@@б#bufгL%bytesM    M    @@	@@ @@@б#posгM#intM    M    @@	@@ @$@@б#lenгM#intM    M    @@	@@ @5@@б$modeгM$listN     N    @гc(msg_flagN
    N    @@	@@ @P@@@@@ @U@@ВгM#intN    N     @@	@@ @e@@г$(sockaddrN-    N.    @@	@@ @s@@@@ @x
@@C*@ @{N;    @@XM@ @N?    @@mb@ @NC    @@w@ @NG    @@@@ @@@@NM  q  q @L	* Receive data from an unconnected socket. NY    NZ    @@@@@@@Nqc@/@$sendNe  
  Nf  
  @б@г=*file_descrNp    Nq    $@@	@@ @  0 NrNqNqNrNrNrNrNr@,@A@@б#bufгMQ%bytesN    ,N    1@@	@@ @@@б#posгNd#intN    9N    <@@	@@ @$@@б#lenгNu#intN    DN    G@@	@@ @5@@б$modeгNM$listN    YN    ]@г(msg_flagN    PN    X@@	@@ @P@@@@@ @U@@гN#intN    aN    d@@	@@ @b@@-@ @eN    K	@@B7@ @iN    @
@@WL@ @mN    5@@la@ @qN    (@@@x@ @u{@@@N  
  
@M	$ Send data over a connected socket. N  e  eN  e  @@@@@@@Od@*@.send_substringO    O    @б@г>G*file_descrO    O    @@	@@ @  0 OOOOOOOO@,@A@@б#bufгN렐&stringO#    O$    @@	@@ @@@б#posгO#intO4    O5    @@	@@ @$@@б#lenгO#intOE    OF    @@	@@ @5@@б$modeгN$listOV    OW    @г(msg_flagO`    Oa    @@	@@ @P@@@@@ @U@@гOB#intOr    Os    @@	@@ @b@@-@ @eO{    	@@B7@ @iO    
@@WL@ @mO    @@la@ @qO    @@@x@ @u{@@@O    @N5	c Same as [send], but take the data from a string instead of a byte
    sequence.
    @since 4.02.0 O    O  G  [@@@@@@@Oe@*@&sendtoO  ]  aO  ]  g@б@г>砐*file_descrO  j  lO  j  v@@	@@ @  0 OOOOOOOO@,@A@@б#bufгN%bytesO  j  ~O  j  @@	@@ @@@б#posгO#intO  j  O  j  @@	@@ @$@@б#lenгO#intO  j  O  j  @@	@@ @5@@б$modeгO$listO  j  O  j  @гY(msg_flagP   j  P  j  @@	@@ @P@@@@@ @U@@б$addrг
(sockaddrP    P    @@	@@ @f@@гO#intP#    P$    @@	@@ @s@@@ @vP,    	@@B)@ @zP0  j  
@@WL@ @~P4  j  @@la@ @P8  j  @@v@ @P<  j  z@@@@ @@@@PB  ]  ]@Nꐠ	' Send data over an unconnected socket. PN    PO    @@@@@@@Pff@.@0sendto_substringPZ    P[    @б@г?*file_descrPe    Pf    @@	@@ @  0 PgPfPfPgPgPgPgPg@,@A@@б#bufгP@&stringPx    %Py    +@@	@@ @ @@б#posгPY#intP    3P    6@@	@@ @$@@б#lenгPj#intP    >P    A@@	@@ @5@@б$modeгPB$listP    SP    W@г(msg_flagP    JP    R@@	@@ @P@@@@@ @U@@б@г(sockaddrP  X  ]P  X  e@@	@@ @d@@гP#intP  X  iP  X  l@@	@@ @q@@@@ @t@@?&@ @	wP    E@@TI@ @
{P    :@@i^@ @P    /@@~s@ @P    !@@@@ @
@@@P    @O	e Same as [sendto], but take the data from a string instead of a
    byte sequence.
    @since 4.02.0 Q   m  mQ    @@@@@@@Qg@-@Q4 {1 Socket options} Q    Q    @@@@@@  0 QQQQQQQQ@#@AA  ( 2socket_bool_option]Q    Q    @@  8 @@(SO_DEBUG@@Q(  +  /Q)  +  7@Oѐ> Record debugging information Q5  +  >Q6  +  a@@@@@@@QMi,SO_BROADCAST@@Q>  b  dQ?  b  r@O琠	& Permit sending of broadcast messages QK  b  uQL  b  @@@@@@@Qcj,SO_REUSEADDR@@QT    QU    @O	) Allow reuse of local addresses for bind Qa    Qb    @@@@@@@Qyk,SO_KEEPALIVE@@Qj    Qk    @P8 Keep connection active Qw    Qx    @@@@@@@Ql,SO_DONTROUTE@@Q    Q    $@P)	( Bypass the standard routing algorithms Q    'Q    T@@@@@@@Qm,SO_OOBINLINE@@Q  U  WQ  U  e@P?	  Leave out-of-band data in line Q  U  hQ  U  @@@@@@@Qn-SO_ACCEPTCONN@@Q    Q    @PU	, Report whether socket listening is enabled Q    Q    @@@@@@@Qo+TCP_NODELAY@@Q    Q    @Pk	- Control the Nagle algorithm for TCP sockets Q    Q    @@@@@@@Qp)IPV6_ONLY@@Q     Q     &@P	2 Forbid binding an IPv6 socket to an IPv4 address Q     ,Q     c@@@@@@@Qq,SO_REUSEPORT@@Q  d  fQ  d  t@P	* Allow reuse of address and port bindings Q  d  wQ  d  @@@@@@@Rr@@AJ2socket_bool_option@@ @@@@@R    @P	 The socket options that can be consulted with {!getsockopt}
   and modified with {!setsockopt}.  These options have a boolean
   ([true]/[false]) value. R    R  )  F@@@@@@@A@R*h@@@@R  b  f@@@ӠӰR%    @@@ѠàðR+    @@@R1    @@@R7  U  Y@@@R=    @@@RC    @@@ssRI     q@@@tqccRO  d  ha@@@da@AгS$UnixURY    RZ    (@@\  0 RXRWRWRXRXRXRXRX@IC  8 @@@AJ@@^@^@@@@@`^@@Q@A
@@a_@Sax@A  ( 1socket_int_option^Rp  H  MRq  H  ^@@  8 @@)SO_SNDBUF@@Rz  z  ~R{  z  @Q#5 Size of send buffer R  z  R  z  @@@@@@@Rt)SO_RCVBUF@@R    R    @Q99 Size of received buffer R    R    @@@@@@@Ru(SO_ERROR@@R	    R	    @QO	/ Deprecated.  Use {!getsockopt_error} instead. R	    R	    @@@@@@@Rv'SO_TYPEÐ@@R
    R
    '@Qe8 Report the socket type R
    -R
    J@@@@@@@Rw+SO_RCVLOWATĐ@@R  K  MR  K  Z@Q{	9 Minimum number of bytes to process for input operations R  K  \R  K  @@@@@@@Rx+SO_SNDLOWATŐ@@R    R    @Q	: Minimum number of bytes to process for output operations R    R    @@@@@@@S
y@@AK1socket_int_option@@ @"@@@@S   H  H@Q	 The socket options that can be consulted with {!getsockopt_int}
   and modified with {!setsockopt_int}.  These options have an
   integer value. S
    S
  o  @@@@@@@A@S$s@@@@S    @@@{{S	    y@@@|ykkS%
     i@@@li[[S+  K  OY@@@\YKKS1    I@@@LI@Aг;$Unix=S;  H  aS<  H  w@@D  0 S:S9S9S:S:S:S:S:@,&   8 @@@A@@_@$_@!@@@@IG@@:@A
@@JH@  0 SFSESESFSFSFSFSF@@AKb@A  ( 4socket_optint_option_ST    SU    @@  8 @@)SO_LINGERǐ@@S^    S_    @R	 Whether to linger on closed connections
                    that have data present, and for how long
                    (in seconds) Sk    Sl  7  Z@@@@@@@S{@@AL(4socket_optint_option@@ @5@@@@Sv    @R	 The socket options that can be consulted with {!getsockopt_optint}
   and modified with {!setsockopt_optint}.  These options have a
   value of type [int option], with [None] meaning ``disabled''. S  [  [S    &@@@@@@@A@Sz@..,+@@@.+@Aг$UnixS    S    @@&  0 SSSSSSSS@Y,&H  8 @@@AO@@`@7`@4@@@@+)@@@A
@@,*@  0 SSSSSSSS@@A-D@A  ( 3socket_float_option`S  (  -S  (  @@@  8 @@+SO_RCVTIMEOɐ@@S  ^  bS  ^  m@R_> Timeout for input operations S  ^  qS  ^  @@@@@@@S}+SO_SNDTIMEOʐ@@S    S    @Ru? Timeout for output operations S    S    @@@@@@@S~@@AL3socket_float_option@@ @H@@@@S  (  (@R	 The socket options that can be consulted with {!getsockopt_float}
   and modified with {!setsockopt_float}.  These options have a
   floating-point value representing a time in seconds.
   The value 0 means infinite timeout. S    S    @@@@@@@A@T|@DDBA@@@DA33S    1@@@41@Aг#$Unix%T  (  CT  (  [@@,  0 TTTTTTTT@ud  8 @@@Ak@@a@Ja@G@@@@1/@@"@A
@@20@  0 TTTTTTTT@@A3J@*getsockoptˠT!    T !    @б@гCa*file_descrT*!    T+!    @@	@@ @Z  0 T,T+T+T,T,T,T,T,@&@A@@б@г2socket_bool_optionT;!    T<!    @@	@@ @[@@гT$boolTH!    TI!    @@	@@ @\@@@@ @]!@@@'@ @^$*@@@TV!    @R	N Return the current status of a boolean-valued option
   in the given socket. Tb"    Tc#  )  C@@@@@@@Tz@@7*setsockopt̠Tn%  E  ITo%  E  S@б@гC*file_descrTy%  E  VTz%  E  `@@	@@ @_  0 T{TzTzT{T{T{T{T{@Pe,@A@@б@гl2socket_bool_optionT%  E  dT%  E  v@@	@@ @`@@б@гTY$boolT%  E  zT%  E  ~@@	@@ @a @@гTU$unitT%  E  T%  E  @@	@@ @b-@@@@ @c0@@@%@ @d3(@@@9@ @e6<@@@T%  E  E@S_	; Set or clear a boolean-valued option in the given socket. T&    T&    @@@@@@@T@ @I.getsockopt_int͠T(    T(    @б@гD*file_descrT(    T(    @@	@@ @f  0 TTTTTTTT@bw,@A@@б@г{1socket_int_optionT(    T(    @@	@@ @g@@гTȠ#intT(    T(    @@	@@ @h@@@@ @i!@@@'@ @j$*@@@U(    @S	< Same as {!getsockopt} for an integer-valued socket option. U)    U)    F@@@@@@@U*@@7.setsockopt_intΠU+  H  LU+  H  Z@б@гD`*file_descrU)+  H  ]U*+  H  g@@	@@ @k  0 U+U*U*U+U+U+U+U+@Pe,@A@@б@гʠ1socket_int_optionU:+  H  kU;+  H  |@@	@@ @l@@б@гU#intUI+  H  UJ+  H  @@	@@ @m @@гU$unitUV+  H  UW+  H  @@	@@ @n-@@@@ @o0@@@%@ @p3(@@@9@ @q6<@@@Ug+  H  H@T	< Same as {!setsockopt} for an integer-valued socket option. Us,    Ut,    @@@@@@@U@ @I1getsockopt_optintϠU.    U.    @б@гD*file_descrU.    U.    @@	@@ @r  0 UUUUUUUU@bw,@A@@б@гG4socket_optint_optionU.    U.    	@@	@@ @s@@гU"&optionU.    U.    @гU#intU.    
U.    @@	@@ @t(@@@@@ @v-@@@"@ @w0%@@@6@ @x39@@@U.    @Tm	O Same as {!getsockopt} for a socket option whose value is
    an [int option]. U/    U0  U  l@@@@@@@U@,@F1setsockopt_optintРU2  n  rU2  n  @б@гE*file_descrU3    U3    @@	@@ @y  0 UUUUUUUU@_t,@A@@б@г4socket_optint_optionU3    U3    @@	@@ @z@@б@гU&optionV3    V	3    @гU⠐#intV3    V3    @@	@@ @{*@@@@@ @}/@@гUӠ$unitV$3    V%3    @@	@@ @~<@@@@ @?@@@4@ @B7@@@H@ @EK@@@V52  n  n@Tݐ	O Same as {!setsockopt} for a socket option whose value is
    an [int option]. VA4    VB5    @@@@@@@VY@ @X0getsockopt_floatѠVM7    VN7    /@б@гE*file_descrVX7    2VY7    <@@	@@ @  0 VZVYVYVZVZVZVZVZ@q,@A@@б@г3socket_float_optionVi7    @Vj7    S@@	@@ @@@гV:%floatVv7    WVw7    \@@	@@ @@@@@ @!@@@'@ @$*@@@V7    @U,	W Same as {!getsockopt} for a socket option whose value is a
    floating-point number. V8  ]  ]V9    @@@@@@@V@@70setsockopt_floatҠV;    V;    @б@гEޠ*file_descrV;    V;    @@	@@ @  0 VVVVVVVV@Pe,@A@@б@г3socket_float_optionV;    V;    @@	@@ @@@б@гV%floatV;    V;    @@	@@ @ @@гV$unitV;     V;    @@	@@ @-@@@@ @0@@@%@ @3(@@@9@ @6<@@@V;    @U	W Same as {!setsockopt} for a socket option whose value is a
    floating-point number. V<    V=  D  a@@@@@@@W	@ @I0getsockopt_errorӠV?  c  gV?  c  w@б@гF?*file_descrW?  c  zW	?  c  @@	@@ @  0 W
W	W	W
W
W
W
W
@bw,@A@@гV&optionW?  c  W?  c  @гUԠ%errorW!?  c  W"?  c  @@	@@ @@@@@@ @@@@$@ @!'@@@W1?  c  c@Uِ	P Return the error condition associated with the given socket,
    and clear it. W=@    W>A    @@@@@@@WU@)@4WS	- {1 High-level network connection functions} WNC    WOC    @@@@@@  0 WMWLWLWMWMWMWMWM@DY#@A/open_connectionԠWZF  !  %W[F  !  4@б@г\(sockaddrWeF  !  7WfF  !  ?@@	@@ @@@ВгV?*in_channelWuF  !  CWvF  !  M@@	@@ @*@@гVM+out_channelWF  !  PWF  !  [@@	@@ @8@@@@ @=
@@@)@ @@,
@@@WF  !  !@V;
  . Connect to a server at the given address.
   Return a pair of buffered channels connected to the server.
   Remember to call {!Stdlib.flush} on the output channel at the right
   times to ensure correct synchronization.

   The two channels returned by [open_connection] share a descriptor
   to a socket.  Therefore, when the connection is over, you should
   call {!Stdlib.close_out} on the output channel, which will also close
   the underlying socket.  Do not call {!Stdlib.close_in} on the input
   channel; it will be collected by the GC eventually.
WG  \  \WQ    @@@@@@@W@@S3shutdown_connectionՠWT    WT    @б@гV*in_channelWT    WT    @@	@@ @  0 WWWWWWWW@lg,@A@@гWt$unitWT    WT    @@	@@ @@@@@ @@@@WT    @Vx
  M ``Shut down'' a connection established with {!open_connection};
   that is, transmit an end-of-file condition to the server reading
   on the other side of the connection. This does not close the
   socket and the channels used by the connection.
   See {!Unix.open_connection} for how to close them once the
   connection is over. WU    WZ  @@@@@@@W@@%0establish_server֠W\  W\  '@б@б@гV*in_channelW] * -W] * 7@@	@@ @  0 WWWWWWWW@@U.@A@@б@гV+out_channelX] * ;X] * F@@	@@ @@@гW $unitX] * JX] * N@@	@@ @@@@@ @!@@@'@ @$*@@б$addrг!(sockaddrX*] * XX+] * `@@	@@ @5@@гW栐$unitX7] * dX8] * h@@	@@ @B@@@ @EX@] * S	@@@'@ @IXD] * ,
@@@XG\  @V
   Establish a server on the given address.
   The function given as first argument is called for each connection
   with two buffered channels connected to the client. A new process
   is created for each connection. The function {!establish_server}
   never returns normally.

   The two channels given to the function share a descriptor to a
   socket.  The function does not need to close the channels, since this
   occurs automatically when the function returns.  If the function
   prefers explicit closing, it should close the output channel using
   {!Stdlib.close_out} and leave the input channel unclosed,
   for reasons explained in {!Unix.in_channel_of_descr}.

   On Windows: not implemented (use threads). XS^ i iXTk 
 =@@@@@@@Xk@@]Xi	! {1 Host and protocol databases} Xdn @ @Xen @ f@@@@@@  0 XcXbXbXcXcXcXcXc@m#@AA  ( *host_entryaXqp h mXrp h w@@  8 @@&h_name@XH@@ @X~q  Xq  @@X)h_aliases@X,XX@@ @@@ @Xr  Xr  @@X*h_addrtype@@@ @Xs  Xs  @@X+h_addr_list@XI@@ @@@ @Xt  Xt   @@X@@AQi*host_entry@@ @@@@@Xp h hXu  @W`	/ Structure of entries in the [hosts] database. Xv  Xv  9@@@@@@@@@X@SSNXq  @@Ш@гV&stringXq  Xq  @@^  0 XXXXXXXX@rl  8 @@@As@@b@b@@@@@+(@@@A
@@k@c@
@g@ccYXr  @@Ш@гf%arrayXr  Xr  @гk&stringXr  Xr  @@s%@@@x&@@{@c@)@r@nniYs  @@Ш@гq-socket_domainY
s  Ys  @@y8@@|@c@;@x@ttjYt  @@Ш@гw%arrayYt  s@г{)inet_addrY't  Y(t  @@R@@@S~@@@c@V@@@Aг~$UnixY5p h zY6p h @@`@@@Ұ@A  ( .protocol_entrybYBx ; @YCx ; N@@  8 @@&p_name@Y@@ @߰YOy g kYPy g {@@Yg)p_aliases@XY)@@ @@@ @Y`z | Yaz | @@Yx'p_proto@Y>@@ @Yl{  Ym{  @@Y@@AR).protocol_entry@@ @@@@@Ywx ; ;Yx|  @X 	3 Structure of entries in the [protocols] database. Y}  Y}  @@@@@@@@@Y@BB=Yy g q@@Ш@гE&stringYy g tYy g z@@M  0 YYYYYYYY@3-'\  8 @@@Ac@@c@c@@@@@,)@@@A
@@[@d@@W@SSIYz | @@Ш@гV%arrayYz | Yz | @г[&stringYz | Yz | @@c&@@@h'@@k@d@*@b@^^YY{  @@Ш@гa#intY{  b@@h8c@@k@d@;@g@@Aгc$UnixeYx ; QYx ; d@@lE@@gd@  0 YYYYYYYY@E@Ahg@A  ( -service_entrycY  Y  @@  8 @@&s_name@Y@@ @	Y  Y  (@@Z
)s_aliases@YY@@ @@@ @Z ) -Z ) F@@Z&s_port@Y@@ @Z G KZ G X@@Z*'s_proto@Y@@ @Z Y ]Z Y m@@Z6@@AR-service_entry@@ @@@@@Z)  Z* n q@XҐ	2 Structure of entries in the [services] database. Z6 r rZ7 r @@@@@@@@@ZN@NNIZ>  @@Ш@гQ&stringZG  !ZH  '@@Y  0 ZFZEZEZFZFZFZFZF@h  8 @@@Ao@@d@d@@@@@,)@@@A
@@g@e@
@c@__UZ[ ) 6@@Ш@гb%arrayZd ) @Ze ) E@гg&stringZm ) 9Zn ) ?@@o&@@@t'@@w@e@*@n@jjeZw G Q@@Ш@гm#intZ G TZ G W@@u9@@x@e@<@t@ppkZ Y d@@Ш@гs&stringZ Y gt@@zJu@@}@e@M@y@@Aгu$UnixwZ  Z  @@~W@@yv@  0 ZZZZZZZZ@W@Azy@+gethostnameZ  Z  @б@гZe$unitZ  Z  @@	@@ @8  0 ZZZZZZZZ@r@A@@гZ&stringZ  Z  @@	@@ @9@@@@ @:@@@Z  @Yx	$ Return the name of the local host. Z  Z  @@@@@@@Z@@%-gethostbynameZ  Z  @б@гZ&stringZ  Z  @@	@@ @;  0 ZZZZZZZZ@>S,@A@@г*host_entry[  [  @@	@@ @<@@@@ @=@@@[
  @Y	] Find an entry in [hosts] with the given name.
    @raise Not_found if no such entry exists. [    [ R @@@@@@@[1@@%-gethostbyaddr[%  [&  @б@г)inet_addr[0  [1  @@	@@ @>  0 [2[1[1[2[2[2[2[2@>S,@A@@гΠ*host_entry[?  [@  @@	@@ @?@@@@ @@@@@[J  @Y򐠠	` Find an entry in [hosts] with the given address.
    @raise Not_found if no such entry exists. [V  [W  	@@@@@@@[n@@%.getprotobyname[b 	 	[c 	 	)@б@г[5&string[m 	 	,[n 	 	2@@	@@ @A  0 [o[n[n[o[o[o[o[o@>S,@A@@г:.protocol_entry[| 	 	6[} 	 	D@@	@@ @B@@@@ @C@@@[ 	 	@Z/	a Find an entry in [protocols] with the given name.
    @raise Not_found if no such entry exists. [ 	E 	E[ 	{ 	@@@@@@@[@@%0getprotobynumber[ 	 	[ 	 	@б@г[z#int[ 	 	[ 	 	@@	@@ @D  0 [[[[[[[[@>S,@A@@гw.protocol_entry[ 	 	[ 	 	@@	@@ @E@@@@ @F@@@[ 	 	@Zl	l Find an entry in [protocols] with the given protocol number.
    @raise Not_found if no such entry exists. [ 	 	[ 
 
K@@@@@@@[@@%-getservbyname[ 
M 
Q[ 
M 
^@б@г[&string[ 
M 
a[ 
M 
g@@	@@ @G  0 [[[[[[[[@>S,@A@@б(protocolг[ &string[ 
M 
t[ 
M 
z@@	@@ @H@@г-service_entry\ 
M 
~\ 
M 
@@	@@ @I @@@ @J#\ 
M 
k	@@@*@ @K'-@@@\ 
M 
M@Z	` Find an entry in [services] with the given name.
    @raise Not_found if no such entry exists. \" 
 
\# 
 
@@@@@@@\:@@:-getservbyport\. 
 
\/ 
 @б@г\	#int\9 
 \: 
 
@@	@@ @L  0 \;\:\:\;\;\;\;\;@Sh,@A@@б(protocolг\&string\L 
 \M 
 @@	@@ @M@@гq-service_entry\Y 
 !\Z 
 .@@	@@ @N @@@ @O#\b 
 	@@@*@ @P'-@@@\h 
 
@[	j Find an entry in [services] with the given service number.
    @raise Not_found if no such entry exists. \t / /\u n @@@@@@@\@@:A  ( )addr_infod\  \  @@  8 @@)ai_family@@@ @R\  \  @[7/ Socket domain \  \  @@@@@@@\+ai_socktype@L@@ @U\  \  @[P- Socket type \  '\  9@@@@@@@\+ai_protocol@\@@ @X\ : >\ : P@[i8 Socket protocol number \ : b\ : @@@@@@@\'ai_addr@@@ @[\  \  @[) Address \  \  @@@@@@@\,ai_canonname@\@@ @^\  \  @[6 Canonical host name  \  ]   @@@@@@@]@@AU)addr_info@@ @c@@@@]
  ]  @[	1 Address information returned by {!getaddrinfo}. ]  ]  
5@@@@@@@@@]/@]  @@Ш@г-socket_domain](  ])  @@  0 ]']&]&]']']']']'@  8 @@@A@@e@ee@Q@@@@,)@@@A
@@@f@S@]<  @@Ш@г+socket_type]E  ]F  @@@@@f@V @]N : I@@Ш@г#int]W : L]X : O@@/@@@f@Y2@]`  @@Ш@г(sockaddr]i  ]j  @@A@@@f@\D@]r  @@Ш@г&string]{  @@R@@@f@_U@@Aг}$Unix]  ]  @@_@@~@  0 ]]]]]]]]@_@A@A  ( 2getaddrinfo_optione] 
7 
<] 
7 
N@@  8 @@)AI_FAMILY@@ @@@] 
k 
o] 
k 
@\M	  Impose the given socket domain ] 
k 
] 
k 
@@@@@@@]+AI_SOCKTYPEd@@ @@@] 
 
] 
 
@\h> Impose the given socket type ] 
 
] 
 @@@@@@@]+AI_PROTOCOL]@@ @@@]  ]  @\< Impose the given protocol  ]  -]  N@@@@@@@].AI_NUMERICHOST@@] O Q] O a@\	b Do not call name resolver,
                                            expect numeric IP address ] O w]  @@@@@@@^,AI_CANONNAME@@^  ^  @\	Y Fill the [ai_canonname] field
                                            of the result ^  ^ ) e@@@@@@@^+*AI_PASSIVE@@^ f h^ f t@\Ő	a Set address to ``any'' address
                                            for use with {!bind} ^) f ^*  @@@@@@@^A@@AV2getaddrinfo_option@@ @@@@@^4 
7 
7@\ܐ< Options to {!getaddrinfo}. ^@  ^A  @@@@@@@@@^X@^H 
k 
x@г-socket_domain^Q 
k 
|@@  0 ^O^N^N^O^O^O^O^O@)  8 @@@A@@f@f@@@@@*(@@@A
@@@@^b 
 
^c 
 
@г+socket_type^l 
 
@@@@@@^r  	^s  @г#int^|  @@+@@@@^ O S@@@^  @@@tt^ f jr@@@ur@Aгd$Unixf^ 
7 
Q^ 
7 
h@@mH@@hf@  0 ^^^^^^^^@H@Ai@+getaddrinfo^  ^  '@б@г^x&string^ ) +^ ) 1@@	@@ @  0 ^^^^^^^^@c& @A@@б@г^&string^ ) 5^ ) ;@@	@@ @@@б@г^g$list^ ) R^ ) V@гE2getaddrinfo_option^ ) ?^ ) Q@@	@@ @*@@@@@ @/@@г^$list^ ) d^ ) h@гu)addr_info^ ) Z^ ) c@@	@@ @F@@@@@ @K@@@#@ @N*@@@C@ @QF@@@W@ @TZ@@@_   @]
   [getaddrinfo host service opts] returns a list of {!addr_info}
    records describing socket parameters and addresses suitable for
    communicating with the given host and service.  The empty list is
    returned if the host or service names are unknown, or the constraints
    expressed in [opts] cannot be satisfied.

    [host] is either a host name or the string representation of an IP
    address.  [host] can be given as the empty string; in this case,
    the ``any'' address or the ``loopback'' address are used,
    depending whether [opts] contains [AI_PASSIVE].
    [service] is either a service name or the string representation of
    a port number.  [service] can be given as the empty string;
    in this case, the port field of the returned addresses is set to 0.
    [opts] is a possibly empty list of options that allows the caller
    to force a particular socket domain (e.g. IPv6 only or IPv4 only)
    or a particular socket type (e.g. TCP only or UDP only). _ i i_  F@@@@@@@_0@/@gA  ( )name_infof_% H M_& H V@@  8 @@+ni_hostname@^@@ @_2 j n_3 j @]ې< Name or IP address of host _? j _@ j @@@@@@@_W*ni_service@_@@ @_K  _L  @]	  Name of service or port number _X  _Y  @@@@@@@_p@@AX)name_info@@ @@@@@_c H H_d  @^	: Host and service information returned by {!getnameinfo}. _p  _q  E@@@@@@@@@_@KKF_x j y@@Ш@гN&string_ j |_ j @@V  0 ________@|e  8 @@@Al@@g@g@@@@@,)@@@A
@@d@h@@`]OOJ_  @@Ш@гR&string_  _  @@Z@@]@h@ @YV@AгH$UnixJ_ H Y_ H g@@Q*@@LI@  0 ________@*@AML@A  ( 2getnameinfo_optiong_ G L_ G ^@@  8 @@)NI_NOFQDN@@_ { _ { @^l	! Do not qualify local host names _ { _ { @@@@@@@_.NI_NUMERICHOST@@_  _  @^	" Always return host as IP address _  _  @@@@@@@_+NI_NAMEREQD @@_  _  @^	( Fail if host name cannot be determined _  _  B@@@@@@@`.NI_NUMERICSERV@@` C E` C U@^	& Always return service as port number ` C \` C @@@@@@@`*(NI_DGRAM@@`  `  @^Đ	[ Consider the service as UDP-based
                             instead of the default TCP `(  `)  @@@@@@@`@@@AX2getnameinfo_option@@ @@@@@`3 G G@^ې< Options to {!getnameinfo}. `?  `@  #@@@@@@@A@`W@@@@uu`L  s@@@vsee`R   c@@@fcUU`X C GS@@@VSEE`^  C@@@FC@Aг5$Unix7`h G a`i G x@@>  0 `g`f`f`g`g`g`g`g@LF  8 @@@A@@h@h@@@@@CA@@4@A
@@DB@  0 `s`r`r`s`s`s`s`s@@AE\@+getnameinfo` % )` % 4@б@г(sockaddr` % 7` % ?@@	@@ @  0 ````````@&@A@@б@г`3$list` % V` % Z@г2getnameinfo_option` % C` % U@@	@@ @@@@@@ @ @@г)name_info` % ^` % g@@	@@ @-@@@@ @0@@@6@ @39@@@` % %@_n	 [getnameinfo addr opts] returns the host name and service name
    corresponding to the socket address [addr].  [opts] is a possibly
    empty list of options that governs how these names are obtained.
    @raise Not_found if an error occurs. ` h h` 6 a@@@@@@@`@@F`萠8 {1 Terminal interface} ` d d` d @@@@@@  0 ````````@Vk#@A`	 The following functions implement the POSIX standard terminal
   interface. They provide control over asynchronous communication ports
   and pseudo-terminals. Refer to the [termios] man page for a
   complete description. `  ` N i@@@@@@A  ( +terminal_ioh` k pa  k {@@  8 @@(c_ignbrkA`@@ @a  a
  @_= Ignore the break condition. a  a  @@@@@@@a1(c_brkintA`@@ @a%  a&  @_ΐ	& Signal interrupt on break condition. a2  
a3  5@@@@@@@aJ(c_ignparAa @@ @a> 6 :a? 6 R@_琠	' Ignore characters with parity errors. aK 6 TaL 6 @@@@@@@ac(c_parmrkAa@@ @aW  aX  @` 5 Mark parity errors. ad  ae  @@@@@@@a|'c_inpck	Aa2@@ @ap  aq  @`? Enable parity check on input. a}  a~  @@@@@@@a(c_istrip
AaK@@ @a  a  @`2	$ Strip 8th bit on input characters. a  a  D@@@@@@@a'c_inlcrAad@@ @a E Ia E `@`K8 Map NL to CR on input. a E ca E @@@@@@@a'c_igncrAa}@@ @a  a  @`d5 Ignore CR on input. a  a  @@@@@@@a'c_icrnl
Aa@@ @a  a  @`}8 Map CR to NL on input. a  a  @@@@@@@a&c_ixonAa@@ @
a  a  @`	) Recognize XON/XOFF characters on input. a  a  B@@@@@@@b 'c_ixoffAa@@ @
b C Gb C ^@`	, Emit XON/XOFF chars to control input flow. b C ab C @@@@@@@b+à'c_opostAa@@ @b  b   @`Ȑ; Enable output processing. b,  b-  @@@@@@@bDĠ'c_obaudAb
@@ @b8  b9  @`ᐠ	- Output baud rate (0 means close connection).bE  !bF  S@@@@@@@b]Š'c_ibaudAb#@@ @bQ T XbR T n@`2 Input baud rate. b^ T rb_ T @@@@@@@bvƠ'c_csizeAb<@@ @bj  bk  @a	% Number of bits per character (5-8). bw  bx  @@@@@@@bǠ(c_cstopbAbU@@ @b  b  @a,< Number of stop bits (1-2). b  b  @@@@@@@bȠ'c_creadAb^@@ @b  b  .@aE7 Reception is enabled. b  1b  M@@@@@@@bɠ(c_parenbAbw@@ @"b N Rb N j@a^	) Enable parity generation and detection. b N lb N @@@@@@@bʠ(c_paroddAb@@ @%b  b  @aw	% Specify odd parity instead of even. b  b  @@@@@@@bˠ'c_hupclAb@@ @(b   b   @a8 Hang up on last close. b   b   @@@@@@@c̠(c_clocalAb@@ @+c    $c   <@a< Ignore modem status lines. c
   >c   _@@@@@@@c%͠&c_isigAb@@ @.c w {c w @a	& Generate signal on INTR, QUIT, SUSP. c& w c' w @@@@@@@c>Π(c_icanonAb@@ @1c2  c3  @aې	[ Enable canonical processing
                                 (line buffering and editing) c?  c@   ?@@@@@@@cWϠ(c_noflshAc
@@ @4cK  @  DcL  @  \@a	' Disable flush after INTR, QUIT, SUSP. cX  @  ^cY  @  @@@@@@@cpР&c_echoAc&@@ @7cd    ce    @b
8 Echo input characters. cq    cr    @@@@@@@cѠ'c_echoeAc?@@ @:c}    c~    @b&	+ Echo ERASE (to erase previous character). c    c   !@@@@@@@cҠ'c_echokAcX@@ @=c	 ! !c	 ! !1@b?	( Echo KILL (to erase the current line). c	 ! !4c	 ! !a@@@@@@@cӠ(c_echonl Acq@@ @@c
 !b !fc
 !b !~@bX	$ Echo NL even if c_echo is not set. c
 !b !c
 !b !@@@@@@@cԠ'c_vintr!Ac@@ @Cc ! !c ! !@bq	' Interrupt character (usually ctrl-C). c ! !c ! "@@@@@@@cՠ'c_vquit"Ac@@ @Fc
 " "c
 " ".@b	" Quit character (usually ctrl-\). c
 " "1c
 " "X@@@@@@@d֠(c_verase#Ac@@ @Ic "Y "]c "Y "u@b	* Erase character (usually DEL or ctrl-H). d "Y "wd "Y "@@@@@@@dנ'c_vkill$Ac@@ @Ld " "d " "@b	' Kill line character (usually ctrl-U). d  " "d! " "@@@@@@@d8ؠ&c_veof%Ac@@ @Od, " "d- " #@bՐ	) End-of-file character (usually ctrl-D). d9 " #d: " #>@@@@@@@dQ٠&c_veol&Ad@@ @RdE #? #CdF #? #Y@b	- Alternate end-of-line char. (usually none). dR #? #]dS #? #@@@@@@@djڠ&c_vmin'Ad0@@ @Ud^ # #d_ # #@c	m Minimum number of characters to read
                                 before the read request is satisfied. dk # #dl # $ @@@@@@@d۠'c_vtime(AdI@@ @Xdw $! $%dx $! $;@c 	$ Maximum read wait (in 0.1s units). d $! $?d $! $h@@@@@@@dܠ(c_vstart)Ad^@@ @[d $i $md $i $@c9	# Start character (usually ctrl-Q). d $i $d $i $@@@@@@@dݠ'c_vstop*Adw@@ @^d $ $d $ $@cR	" Stop character (usually ctrl-S). d $ $d $ $@@@@@@@d@@A]s+terminal_io@@ @a@@@@d k kd $ $@@@@d@ °d  d  @AШ@гƠ$boold  d  @@  0 dddddddd@  8 @@@A@@i@ci@@@@@@@@@A
@@@j@
@ԠƠưd  d   @AШ@гʠ$boold  d  @@@@@j@ @Πd 6 Bd 6 J@AШ@гĠ$boole 6 Me 6 Q@@0@@@j@3@Ƞe  e
  @AШ@г$boole  e  @@C@@@j@F@ e  e   @AШ@г$boole)  e*  @@V@@@j@Y@e2  	e3  @AШ@г$boole<  e=  @@i@@@j@l@eE E QeF E X@AШ@г$booleO E [eP E _@@|@@@j@@eX  eY  @AШ@г$booleb  ec  @@@@@j@@ek  el  @AШ@г$booleu  ev  @@@@@j@@e~  e  @AШ@г$boole  e  @@@@@j@@e C Oe C V@AШ@г$boole C Ye C ]@@Ȱ@@@j@@e  e  @AШ@г$boole  e  @@۰@@@j@@e  e  @AШ@г#inte  e  @@@@@j@@~~e T `e T g@AШ@г#inte T je T m@@@@@j@@xxe  e  @AШ@г|#inte  e  @@@@@j@@rre  e  @AШ@гv#inte  e  @@~'@@@j@*@}zllf  f  &@AШ@гp$boolf
  )f  -@@x:@@{@j@ =@wtfff N Zf N b@AШ@гj$boolf  N ef! N i@@rM@@u@j@#P@qn``f)  f*  @AШ@гd$boolf3  f4  @@l`@@o@j@&c@khZZf<   f=   @AШ@г^$boolfF   fG   @@fs@@i@j@)v@ebTTfO   ,fP   4@AШ@гX$boolfY   7fZ   ;@@`@@c@j@,@_\NNfb w fc w @AШ@гR$boolfl w fm w @@Z@@]@j@/@YVHHfu  fv  @AШ@гL$boolf  f  @@T@@W@j@2@SPBBf  @  Lf  @  T@AШ@гF$boolf  @  Wf  @  [@@N@@Q@j@5@MJ<<f    f    @AШ@г@$boolf    f    @@HҰ@@K@j@8@GD66f    f    @AШ@г:$boolf    f    @@B@@E@j@;@A>00f	 ! !"f	 ! !)@AШ@г4$boolf	 ! !,f	 ! !0@@<@@?@j@>@;8**f
 !b !nf
 !b !v@AШ@г.$boolf
 !b !yf
 !b !}@@6@@9@j@A@52$$f ! !f ! !@AШ@г($charf ! !f ! !@@0@@3@j@D!@/,f
 " "f
 " "&@AШ@г"$charg
 " ")g
 " "-@@*1@@-@j@G4@)&g
 "Y "eg "Y "m@AШ@г$charg "Y "pg "Y "t@@$D@@'@j@JG@# g  " "g! " "@AШ@г$charg* " "g+ " "@@W@@!@j@MZ@g3 " "g4 " #@AШ@г$charg= " #g> " #@@j@@@j@Pm@gF #? #KgG #? #Q@AШ@г
$chargP #? #TgQ #? #X@@}@@@j@S@  gY # #gZ # #@AШ@г#intgc # #gd # #@@@@@j@V@gl $! $-gm $! $4@AШ@г#intgv $! $7gw $! $:@@@@	@j@Y@g $i $ug $i $}@AШ@г$charg $i $g $i $@@ @@@j@\@g $ $g $ $@AШ@г$charg $ $g $ $@@ɰ@@@j@_@@Aг蠡$Unixg k ~g k @@ְ@@@@ǰ@)tcgetattr+g $ $g $ %@б@гV*file_descrg $ %g $ %@@	@@ @  0 gggggggg@@A@@гР+terminal_iog $ %g $ %$@@	@@ @@@@@ @@@@g $ $@f	q Return the status of the terminal referred to by the given
   file descriptor.

   On Windows: not implemented. g %% %%g %y %@@@@@@@g@@%A  ( ,setattr_when,ig % %g % %@@  8 @@'TCSANOW-@@g  % %g  % %@@h)TCSADRAIN.@@h! % %h! % %@@h)TCSAFLUSH/@@h" % %h" % %@@h'@@A`,setattr_when@@ @@@@@h % %@@A@h1@&&$#@@@&@""h&! % % @@@#@h," % %@@@ @@Aг$Unixh6 % %h7 % %@@%  0 h5h4h4h5h5h5h5h5@ucL  8 @@@AS@@j@j@@@@@*@@@(@A
@@+@@  0 hAh@h@hAhAhAhAhA@@A,6@)tcsetattr0hN$ % %hO$ % %@б@гW*file_descrhY$ % %hZ$ % &@@	@@ @  0 h[hZhZh[h[h[h[h[@&qk@A@@б$modeгy,setattr_whenhl$ % &hm$ % &@@	@@ @@@б@г|+terminal_ioh{$ % &!h|$ % &,@@	@@ @"@@гh7$unith$ % &0h$ % &4@@	@@ @/@@@@ @2@@0%@ @5h$ % &@@@<@ @ 9?@@@h$ % %@gB
   Set the status of the terminal referred to by the given
   file descriptor. The second argument indicates when the
   status change takes place: immediately ([TCSANOW]),
   when all pending output has been transmitted ([TCSADRAIN]),
   or after flushing all input that has been received but not
   read ([TCSAFLUSH]). [TCSADRAIN] is recommended when changing
   the output parameters; [TCSAFLUSH], when changing the input
   parameters.

   On Windows: not implemented. h% &5 &5h. ' (@@@@@@@h@!@L+tcsendbreak1h0 ( (h0 ( ("@б@гW*file_descrh0 ( (%h0 ( (/@@	@@ @  0 hhhhhhhh@ez,@A@@б(durationгh#inth0 ( (<h0 ( (?@@	@@ @@@гh$unith0 ( (Ch0 ( (G@@	@@ @ @@@ @#h0 ( (3	@@@*@ @'-@@@h0 ( (@g	 Send a break condition on the given file descriptor.
   The second argument is the duration of the break, in 0.1s units;
   0 means standard duration (0.25s).

   On Windows: not implemented. h1 (H (Hh5 ( )@@@@@@@i@@:'tcdrain2i7 ) )i7 ) )@б@гXF*file_descri7 ) )i7 ) )(@@	@@ @  0 iiiiiiii@Sh,@A@@гh͠$uniti7 ) ),i7 ) )0@@	@@ @@@@@ @@@@i)7 ) )@gѐ	w Waits until all output written on the given file descriptor
   has been transmitted.

   On Windows: not implemented. i58 )1 )1i6; ) )@@@@@@@iM@@%A  ( +flush_queue3jiB= ) )iC= ) )@@  8 @@(TCIFLUSH4@@iL> ) )iM> ) )@@id(TCOFLUSH5@@iU? ) )iV? ) )@@im)TCIOFLUSH6@@i^@ ) )i_@ ) )@@iv@@Ab+flush_queue@@ @
@@@@ii= ) )@@A@i@&&$#@@@&@""iu? ) ) @@@#@i{@ ) )@@@ @@Aг$Unixi= ) )i= ) )@@%  0 iiiiiiii@ucL  8 @@@AS@@k@k@	@@@@*@@@(@A
@@+@@  0 iiiiiiii@@A,6@'tcflush7iB ) *iB ) *	@б@гXߠ*file_descriB ) *iB ) *@@	@@ @  0 iiiiiiii@&qk@A@@б$modeгy+flush_queueiB ) *iB ) **@@	@@ @@@гiw$unitiB ) *.iB ) *2@@	@@ @ @@@ @#iB ) *	@@@*@ @ '-@@@iB ) )@h
  @ Discard data written on the given file descriptor but not yet
   transmitted, or data received but not yet read, depending on the
   second argument: [TCIFLUSH] flushes data received but not read,
   [TCOFLUSH] flushes data written but not transmitted, and
   [TCIOFLUSH] flushes both.

   On Windows: not implemented. iC *3 *3iI +V +x@@@@@@@i@@:A  ( +flow_action8kiK +z +iK +z +@@  8 @@&TCOOFF9@@iL + +iL + +@@j%TCOON:@@jM + +jM + +@@j&TCIOFF;@@jN + +j
N + +@@j$%TCION<@@jO + +jO + +@@j-@@Ab+flow_action@@ @"@@@@j K +z +z@@A@j7@//-,@@@/@++j,M + +)@@@,@((j2N + +&@@@)@%%j8O + +#@@@&@@Aг"$Unix$jBK +z +jCK +z +@@+  0 jAj@j@jAjAjAjAjA@r[  8 @@@Ab@@l@$l@!@@@@0@@@.@A
@@1@@  0 jMjLjLjMjMjMjMjM@@A2<@&tcflow=jZQ + +j[Q + +@б@гY*file_descrjeQ + +jfQ + +@@	@@ @4  0 jgjfjfjgjgjgjgjg@&z@A@@б$modeг+flow_actionjxQ + +jyQ + +@@	@@ @5@@гj4$unitjQ + +jQ + +@@	@@ @6 @@@ @7#jQ + +	@@@*@ @8'-@@@jQ + +@i<
  F Suspend or restart reception or transmission of data on
   the given file descriptor, depending on the second argument:
   [TCOOFF] suspends output, [TCOON] restarts output,
   [TCIOFF] transmits a STOP character to suspend input,
   and [TCION] transmits a START character to restart input.

   On Windows: not implemented. jR + +jX -( -J@@@@@@@j@@:&setsid>jZ -L -PjZ -L -V@б@гjf$unitjZ -L -YjZ -L -]@@	@@ @9  0 jjjjjjjj@Sh,@A@@гj#intjZ -L -ajZ -L -d@@	@@ @:@@@@ @;@@@jZ -L -L@iy	{ Put the calling process in a new session and detach it from
   its controlling terminal.

   On Windows: not implemented. j[ -e -ej^ - -@@@@@@@j@@%@iiA@aaB@awaP@a<a@``@``_@`K`$@`_@__@_v_pA@^^A@^L^ @]]|@]h]@]\@\\]@\I\@[[@[[\@[H[#@[Z@ZZ@ZZr@ZLZFA@ZZ@YY@YY@YYA@WWA@WW'@WV@VV@VV7@V#U@UUC@U/T@TTO@T*T@SS@SS@S{ST@S.S(A@RRU@RAR@QQ@QQA@PPA@NaN:@N&M@MM@MM@Mc@IU@@IQHY@H4H@GG@GGP@G<G@FFA@FHF@EE@EEW@ECD@DD@DDX@D3C@CC@CuCN@C:C@BB@BB@BxB>@B*B@AA@AA@AyAR@A=A7A@A@@@@@@@h@@T@-@@?@??d@??>@>=@==@==y@=e=(@=<@<<H@<4;@;;z@;f:@::@::b@:N:@99@99v@9b9;@9'8@88@8e8@77@77@7t6@6h6bA@558@54@44A@4h4@33@33z@3f3?@33A@232-A@0u0N@0:0@//@//@//L@/8/@..@..@..`@.L-@--A@-X-RA@,,@,,S@,.,	@++@++@++X@+D+@+	*@**@**N@*:*@))A@((A@('@''@''@'m'F@'2'@&&A@&&@&t&M@&9&$@&%@%%@%%@%%n@%H%BA@$$A@$$A@##!@#
"@""O@";!@!!@!!E@!1 @  A@ S @ @@A@&@@J@6@@I@#A@A@A@A@*@@~E@1@@v@@p@\&@@@w@A@!A@}wA@@Z@F@@@Y@E	@A@A@

k@
V
PA@A@@|A@@A@9@@`@KEA@@A@9@@@  0 llllllll@@A@	H************************************************************************lAUUlAU a@	H                                                                        lB b blB b @	H                                 OCaml                                  lC  lC  @	H                                                                        lD  lD H@	H             Xavier Leroy, projet Cristal, INRIA Rocquencourt           lEIIlEI@	H                                                                        lFlF@	H   Copyright 1996 Institut National de Recherche en Informatique et     lGlG/@	H     en Automatique.                                                    lH00lH0|@	H                                                                        lI}}lI}@	H   All rights reserved.  This file is distributed under the terms of    lJlJ@	H   the GNU Lesser General Public License version 2.1, with the          lKlKc@	H   special exception on linking described in the file LICENSE.          lLddlLd@	H                                                                        lMlM@	H************************************************************************lNlNJ@	 NOTE:
   If this file is unixLabels.mli, run tools/sync_stdlib_docs after editing it
   to generate unix.mli.

   If this file is unix.mli, do not edit it directly -- edit unixLabels.mli
   instead.
lPLLlV@	 NOTE:
   When a new function is added which is not implemented on Windows (or
   partially implemented), or the Windows-status of an existing function is
   changed, remember to update the summary table in
   manual/src/library/libunix.etex
lXl]@
  W* Interface to the Unix system.

   To use the labeled version of this module, add [module Unix][ = ][UnixLabels]
   in your implementation.

   Note: all the functions of this module (except {!error_message} and
   {!handle_unix_error}) are liable to raise the {!Unix_error}
   exception whenever the underlying system call signals an error.
l3* {1 Error report} k9* Argument list too long k4* Permission denied k	.* Resource temporarily unavailable; try again kq6* Bad file descriptor k^7* Resource unavailable kK3* No child process k8	 * Resource deadlock would occur k%	(* Domain error for math functions, etc. k.* File exists j.* Bad address j젠1* File too large j٠	!* Function interrupted by signal jƠ3* Invalid argument j5* Hardware I/O error j1* Is a directory j	%* Too many open files by the process jz1* Too many links jg4* Filename too long jT	$* Too many open files in the system jA1* No such device j.<* No such file or directory j9* Not an executable file j5* No locks available i4* Not enough memory i⠠:* No space left on device iϠ9* Function not supported i2* Not a directory i6* Directory not empty i	&* Inappropriate I/O control operation i<* No such device or address ip:* Operation not permitted i].* Broken pipe iJ3* Result too large i78* Read-only file system i$>* Invalid seek e.g. on a pipe i2* No such process h/* Invalid link h렠8* Operation would block hؠ<* Operation now in progress hŠ	 * Operation already in progress h	!* Socket operation on non-socket h?* Destination address required h3* Message too long hy	!* Protocol wrong type for socket hf9* Protocol not available hS9* Protocol not supported h@<* Socket type not supported h-	$* Operation not supported on socket h	 * Protocol family not supported h	2* Address family not supported by protocol family g9* Address already in use gᠠ	!* Can't assign requested address gΠ2* Network is down g9* Network is unreachable g	&* Network dropped connection on reset g	#* Software caused connection abort g;* Connection reset by peer go<* No buffer space available g\>* Socket is already connected gI:* Socket is not connected g6	#* Can't send after socket shutdown g#	$* Too many references: can't splice g7* Connection timed out f5* Connection refused fꠠ/* Host is down fנ3* No route to host fĠ	$* Too many levels of symbolic links f	** File size or position not representable f0* Unknown error f	* The type of error codes.
   Errors defined in the POSIX standard
   and additional errors from UNIX98 and BSD.
   All other errors are mapped to EUNKNOWNERR.
fp
  s* Raised by the system calls below when an error is encountered.
   The first component is the error code; the second component
   is the function name; the third component is the string parameter
   to the function, if it has one, or the empty string otherwise.

   {!UnixLabels.Unix_error} and {!Unix.Unix_error} are the same, and
   catching one will catch the other. d	3* Return a string describing the given error code. d-	* [handle_unix_error f x] applies [f] to [x] and returns the result.
   If the exception {!Unix_error} is raised, it prints a message
   describing the error and exits with code 2. cࠠ	(* {1 Access to the process environment} cҠ	* Return the process environment, as an array of strings
    with the format ``variable=value''.  The returned array
    is empty if the process has special privileges. c
  ** Return the process environment, as an array of strings with the
    format ``variable=value''.  Unlike {!environment}, this function
    returns a populated array even if the process has special
    privileges.  See the documentation for {!unsafe_getenv} for more
    details.

    @since 4.12.0 cB
   * Return the value associated to a variable in the process
   environment, unless the process has special privileges.
   @raise Not_found if the variable is unbound or the process has
   special privileges.

   This function is identical to {!Sys.getenv}. c
  * Return the value associated to a variable in the process
   environment.

   Unlike {!getenv}, this function returns the value even if the
   process has special privileges. It is considered unsafe because the
   programmer of a setuid or setgid program must be careful to avoid
   using maliciously crafted environment variables in the search path
   for executables, the locations for temporary files or logs, and the
   like.

   @raise Not_found if the variable is unbound.
   @since 4.06.0  bΠ	* [putenv name value] sets the value associated to a
   variable in the process environment.
   [name] is the name of the environment variable,
   and [value] its new associated value. b7* {1 Process handling} bt	Y* The process terminated normally by [exit];
           the argument is the return code. bN	T* The process was killed by a signal;
           the argument is the signal number. b6	U* The process was stopped by a signal; the argument is the
           signal number. b	* The termination status of a process.  See module {!Sys} for the
    definitions of the standard signal numbers.  Note that they are
    not the numbers used by the OS. b
	f* Do not block if no child has
               died yet, but immediately return with a pid equal to 0. a	6* Report also the children that receive stop signals. a8* Flags for {!waitpid}. a}
  * [execv ~prog ~args] execute the program in file [prog], with
   the arguments [args], and the current process environment.
   These [execv*] functions never return: on success, the current
   program is replaced by the new one.
   @raise Unix_error on failure `	h* Same as {!execv}, except that the third argument provides the
   environment to the program executed. `x	H* Same as {!execv}, except that
   the program is searched in the path. `	I* Same as {!execve}, except that
   the program is searched in the path. _	* Fork a new process. The returned integer is 0 for the child
   process, the pid of the child process for the parent process.

   On Windows: not implemented, use {!create_process} or threads. _\	* Wait until one of the children processes die, and return its pid
   and termination status.

   On Windows: not implemented, use {!waitpid}. _
  * Same as {!wait}, but waits for the child process whose pid is given.
   A pid of [-1] means wait for any child.
   A pid of [0] means wait for any child in the same process group
   as the current process.
   Negative pid arguments represent process groups.
   The list of options indicates whether [waitpid] should return
   immediately without waiting, and whether it should report stopped
   children.

   On Windows: can only wait for a given PID, not any child process. ^
  * Execute the given command, wait until it terminates, and return
   its termination status. The string is interpreted by the shell
   [/bin/sh] (or the command interpreter [cmd.exe] on Windows) and
   therefore can contain redirections, quotes, variables, etc.
   To properly quote whitespace and shell special characters occurring
   in file names or command arguments, the use of
   {!Filename.quote_command} is recommended.
   The result [WEXITED 127] indicates that the shell couldn't be
   executed. ^^
  * Terminate the calling process immediately, returning the given
   status code to the operating system: usually 0 to indicate no
   errors, and a small positive integer to indicate failure.
   Unlike {!Stdlib.exit}, {!Unix._exit} performs no finalization
   whatsoever: functions registered with {!Stdlib.at_exit} are not called,
   input/output channels are not flushed, and the C run-time system
   is not finalized either.

   The typical use of {!Unix._exit} is after a {!Unix.fork} operation,
   when the child process runs into a fatal error and must exit.  In
   this case, it is preferable to not perform any finalization action
   in the child process, as these actions could interfere with similar
   actions performed by the parent process.  For example, output
   channels should not be flushed by the child process, as the parent
   process may flush them again later, resulting in duplicate
   output.

   @since 4.12.0 ^&	!* Return the pid of the process. ]젠	f* Return the pid of the parent process.

    On Windows: not implemented (because it is meaningless). ]	* Change the process priority. The integer argument is added to the
   ``nice'' value. (Higher values of the ``nice'' value mean
   lower priorities.) Return the new nice value.

   On Windows: not implemented. ]x>* {1 Basic file input/output} ]j	)* The abstract type of file descriptors. ]H	%* File descriptor for standard input.]	&* File descriptor for standard output.\䠠	&* File descriptor for standard error. \3* Open for reading \3* Open for writing \?* Open for reading and writing \u<* Open in non-blocking mode \b2* Open for append \O8* Create if nonexistent \<	#* Truncate to 0 length if existing \)3* Fail if existing \	(* Don't make this dev a controlling tty \	f* Writes complete as `Synchronised I/O data
                                    integrity completion' [	f* Writes complete as `Synchronised I/O file
                                    integrity completion' [ݠ	]* Reads complete as writes (depending
                                    on O_SYNC/O_DSYNC) [ʠ	b* Windows only: allow the file to be deleted
                                    while still open [	* Set the close-on-exec flag on the
                                   descriptor returned by {!openfile}.
                                   See {!set_close_on_exec} for more
                                   information. [	c* Clear the close-on-exec flag.
                                    This is currently the default. [<* The flags to {!openfile}. [}	o* The type of file access rights, e.g. [0o640] is read and write for user,
    read for group, none for others Z젠	* Open the named file with the given flags. Third argument is the
   permissions to give to the file if it is created (see
   {!umask}). Return a file descriptor on the named file. Zd;* Close a file descriptor. Z*	1* Flush file buffers to disk.

    @since 4.12.0 Y	* [read fd ~buf ~pos ~len] reads [len] bytes from descriptor [fd],
    storing them in byte sequence [buf], starting at position [pos] in
    [buf]. Return the number of bytes actually read. Yw
  ** [write fd ~buf ~pos ~len] writes [len] bytes to descriptor [fd],
    taking them from byte sequence [buf], starting at position [pos]
    in [buff]. Return the number of bytes actually written.  [write]
    repeats the writing operation until all bytes have been written or
    an error occurs.  X	* Same as {!write}, but attempts to write only once.
   Thus, if an error occurs, [single_write] guarantees that no data
   has been written. X	f* Same as {!write}, but take the data from a string instead of a byte
    sequence.
    @since 4.02.0 X	m* Same as {!single_write}, but take the data from a string instead of
    a byte sequence.
    @since 4.02.0 W	9* {1 Interfacing with the standard input/output library} W
  * Create an input channel reading from the given descriptor.
   The channel is initially in binary mode; use
   [set_binary_mode_in ic false] if text mode is desired.
   Text mode is supported only if the descriptor refers to a file
   or pipe, but is not supported if it refers to a socket.

   On Windows: {!Stdlib.set_binary_mode_in} always fails on channels
   created with this function.

   Beware that input channels are buffered, so more characters may
   have been read from the descriptor than those accessed using
   channel functions.  Channels also keep a copy of the current
   position in the file.

   Closing the channel [ic] returned by [in_channel_of_descr fd]
   using [close_in ic] also closes the underlying descriptor [fd].
   It is incorrect to close both the channel [ic] and the descriptor [fd].

   If several channels are created on the same descriptor, one of the
   channels must be closed, but not the others.
   Consider for example a descriptor [s] connected to a socket and two
   channels [ic = in_channel_of_descr s] and [oc = out_channel_of_descr s].
   The recommended closing protocol is to perform [close_out oc],
   which flushes buffered output to the socket then closes the socket.
   The [ic] channel must not be closed and will be collected by the GC
   eventually.
WM
  * Create an output channel writing on the given descriptor.
   The channel is initially in binary mode; use
   [set_binary_mode_out oc false] if text mode is desired.
   Text mode is supported only if the descriptor refers to a file
   or pipe, but is not supported if it refers to a socket.

   On Windows: {!Stdlib.set_binary_mode_out} always fails on channels created
   with this function.

   Beware that output channels are buffered, so you may have to call
   {!Stdlib.flush} to ensure that all data has been sent to the
   descriptor.  Channels also keep a copy of the current position in
   the file.

   Closing the channel [oc] returned by [out_channel_of_descr fd]
   using [close_out oc] also closes the underlying descriptor [fd].
   It is incorrect to close both the channel [ic] and the descriptor [fd].

   See {!Unix.in_channel_of_descr} for a discussion of the closing
   protocol when several channels are created on the same descriptor.
W	;* Return the descriptor corresponding to an input channel. V٠	<* Return the descriptor corresponding to an output channel. V=* {1 Seeking and truncating} V	<* indicates positions relative to the beginning of the file Vp	7* indicates positions relative to the current position V]	6* indicates positions relative to the end of the file VJ	"* Positioning modes for {!lseek}. V6	x* Set the current position for a file descriptor, and return the resulting
    offset (from the beginning of the file). U	.* Truncates the named file to the given size. U_	Q* Truncates the file corresponding to the given descriptor
   to the given size. U2* {1 File status} U/* Regular file Tᠠ,* Directory TΠ3* Character device T/* Block device T0* Symbolic link T-* Named pipe T)* Socket To0* Device number T/* Inode number S젠3* Kind of the file S֠0* Access rights S2* Number of links S7* User id of the owner S?* Group ID of the file's group S~>* Device ID (if special file) Sh0* Size in bytes SR3* Last access time S<9* Last modification time S&:* Last status change time S	1* The information returned by the {!stat} calls. R	-* Return the information for the named file. QѠ	k* Same as {!stat}, but in case the file is a symbolic link,
   return the information for the link itself. Q	O* Return the information for the file associated with the given
   descriptor. Q]	k* Return [true] if the given file descriptor refers to a terminal or
   console window, [false] otherwise. Q#	%* {1 File operations on large files} Q/* See [lseek]. P2* See [truncate]. PW3* See [ftruncate]. P0* Device number O䠠/* Inode number OΠ3* Kind of the file O0* Access rights O2* Number of links O7* User id of the owner Ov?* Group ID of the file's group O`>* Device ID (if special file) OJ0* Size in bytes O43* Last access time O9* Last modification time O:* Last status change time N
  * File operations on large files.
  This sub-module provides 64-bit variants of the functions
  {!lseek} (for positioning a file descriptor),
  {!truncate} and {!ftruncate}
  (for changing the size of a file),
  and {!stat}, {!lstat} and {!fstat}
  (for obtaining information on files).  These alternate functions represent
  positions and sizes by 64-bit integers (type [int64]) instead of
  regular integers (type [int]), thus allowing operating on files
  whose sizes are greater than [max_int]. MD	 * {1 Mapping files into memory} M5? thwart tools/sync_stdlib_docs o(0[[o)0[[@
  * Memory mapping of a file as a Bigarray.
  [map_file fd ~kind ~layout ~shared ~dims]
  returns a Bigarray of kind [kind], layout [layout],
  and dimensions as specified in [dims].  The data contained in
  this Bigarray are the contents of the file referred to by
  the file descriptor [fd] (as opened previously with
  {!openfile}, for example).  The optional [pos] parameter
  is the byte offset in the file of the data being mapped;
  it defaults to 0 (map from the beginning of the file).

  If [shared] is [true], all modifications performed on the array
  are reflected in the file.  This requires that [fd] be opened
  with write permissions.  If [shared] is [false], modifications
  performed on the array are done in memory only, using
  copy-on-write of the modified pages; the underlying file is not
  affected.

  [Genarray.map_file] is much more efficient than reading
  the whole file in a Bigarray, modifying that Bigarray,
  and writing it afterwards.

  To adjust automatically the dimensions of the Bigarray to
  the actual size of the file, the major dimension (that is,
  the first dimension for an array with C layout, and the last
  dimension for an array with Fortran layout) can be given as
  [-1].  [Genarray.map_file] then determines the major dimension
  from the size of the file.  The file must contain an integral
  number of sub-arrays as determined by the non-major dimensions,
  otherwise [Failure] is raised.

  If all dimensions of the Bigarray are given, the file size is
  matched against the size of the Bigarray.  If the file is larger
  than the Bigarray, only the initial portion of the file is
  mapped to the Bigarray.  If the file is smaller than the big
  array, the file is automatically grown to the size of the Bigarray.
  This requires write permissions on [fd].

  Array accesses are bounds-checked, but the bounds are determined by
  the initial call to [map_file]. Therefore, you should make sure no
  other process modifies the mapped file while you're accessing it,
  or a SIGBUS signal may be raised. This happens, for instance, if the
  file is shrunk.

  [Invalid_argument] or [Failure] may be raised in cases where argument
  validation fails.
  @since 4.06.0 L.?* {1 Operations on file names} L 	* Removes the named file.

    If the named file is a directory, raises:
    {ul
    {- [EPERM] on POSIX compliant system}
    {- [EISDIR] on Linux >= 2.1.132}
    {- [EACCESS] on Windows}}
K蠠
  ]* [rename ~src ~dst] changes the name of a file from [src] to [dst],
    moving it between directories if needed.  If [dst] already
    exists, its contents will be replaced with those of [src].
    Depending on the operating system, the metadata (permissions,
    owner, etc) of [dst] can either be preserved or be replaced by
    those of [src].  K? thwart tools/sync_stdlib_docs o:xggo;xgh@
  9* [link ?follow ~src ~dst] creates a hard link named [dst] to the file
   named [src].

   @param follow indicates whether a [src] symlink is followed or a
   hardlink to [src] itself will be created. On {e Unix} systems this is
   done using the [linkat(2)] function. If [?follow] is not provided, then the
   [link(2)] function is used whose behaviour is OS-dependent, but more widely
   available.

   @raise ENOSYS On {e Unix} if [~follow:_] is requested, but linkat is
                 unavailable.
   @raise ENOSYS On {e Windows} if [~follow:false] is requested. K1	* [realpath p] is an absolute pathname for [p] obtained by resolving
    all extra [/] characters, relative path segments and symbolic links.

    @since 4.13.0 J	%* {1 File permissions and ownership} J頠2* Read permission JȠ3* Write permission J7* Execution permission J.* File exists J	 * Flags for the {!access} call. J{	,* Change the permissions of the named file. I	N* Change the permissions of an opened file.

    On Windows: not implemented. I	Z* Change the owner uid and owner gid of the named file.

    On Windows: not implemented. IL	Z* Change the owner uid and owner gid of an opened file.

    On Windows: not implemented. H蠠	q* Set the process's file mode creation mask, and return the previous
    mask.

    On Windows: not implemented. H	* Check that the process has the given permissions over the named file.

   On Windows: execute permission [X_OK] cannot be tested, just
   tests for read permission instead.

   @raise Unix_error otherwise.
   HP	%* {1 Operations on file descriptors} HB? thwart tools/sync_stdlib_docs ompponpp@	* Return a new file descriptor referencing the same file as
   the given descriptor.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. G? thwart tools/sync_stdlib_docs ovqqowqq@	* [dup2 ~src ~dst] duplicates [src] to [dst], closing [dst] if already
   opened.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. G
  d* Set the ``non-blocking'' flag on the given descriptor.
   When the non-blocking flag is set, reading on a descriptor
   on which there is temporarily no data available raises the
   [EAGAIN] or [EWOULDBLOCK] error instead of blocking;
   writing on a descriptor on which there is temporarily no room
   for writing also raises [EAGAIN] or [EWOULDBLOCK]. GX	R* Clear the ``non-blocking'' flag on the given descriptor.
   See {!set_nonblock}.G
  
|* Set the ``close-on-exec'' flag on the given descriptor.
   A descriptor with the close-on-exec flag is automatically
   closed when the current process starts another program with
   one of the [exec], [create_process] and [open_process] functions.

   It is often a security hole to leak file descriptors opened on, say,
   a private file to an external program: the program, then, gets access
   to the private file and can do bad things with it.  Hence, it is
   highly recommended to set all file descriptors ``close-on-exec'',
   except in the very few cases where a file descriptor actually needs
   to be transmitted to another program.

   The best way to set a file descriptor ``close-on-exec'' is to create
   it in this state.  To this end, the [openfile] function has
   [O_CLOEXEC] and [O_KEEPEXEC] flags to enforce ``close-on-exec'' mode
   or ``keep-on-exec'' mode, respectively.  All other operations in
   the Unix module that create file descriptors have an optional
   argument [?cloexec:bool] to indicate whether the file descriptor
   should be created in ``close-on-exec'' mode (by writing
   [~cloexec:true]) or in ``keep-on-exec'' mode (by writing
   [~cloexec:false]).  For historical reasons, the default file
   descriptor creation mode is ``keep-on-exec'', if no [cloexec] optional
   argument is given.  This is not a safe default, hence it is highly
   recommended to pass explicit [cloexec] arguments to operations that
   create file descriptors.

   The [cloexec] optional arguments and the [O_KEEPEXEC] flag were introduced
   in OCaml 4.05.  Earlier, the common practice was to create file descriptors
   in the default, ``keep-on-exec'' mode, then call [set_close_on_exec]
   on those freshly-created file descriptors.  This is not as safe as
   creating the file descriptor in ``close-on-exec'' mode because, in
   multithreaded programs, a window of vulnerability exists between the time
   when the file descriptor is created and the time [set_close_on_exec]
   completes.  If another thread spawns another program during this window,
   the descriptor will leak, as it is still in the ``keep-on-exec'' mode.

   Regarding the atomicity guarantees given by [~cloexec:true] or by
   the use of the [O_CLOEXEC] flag: on all platforms it is guaranteed
   that a concurrently-executing Caml thread cannot leak the descriptor
   by starting a new process.  On Linux, this guarantee extends to
   concurrently-executing C threads.  As of Feb 2017, other operating
   systems lack the necessary system calls and still expose a window
   of vulnerability during which a C thread can see the newly-created
   file descriptor in ``keep-on-exec'' mode.
 F䠠	X* Clear the ``close-on-exec'' flag on the given descriptor.
   See {!set_close_on_exec}.F2* {1 Directories} F	@* Create a directory with the given permissions (see {!umask}). FO=* Remove an empty directory. F	(* Change the process working directory. E۠	4* Return the name of the current working directory. E	G* Change the process root directory.

    On Windows: not implemented. Eg	3* The type of descriptors over opened directories. EE	#* Open a descriptor on a directory D	n* Return the next entry in a directory.
   @raise End_of_file when the end of the directory has been reached. D	>* Reposition the descriptor to the beginning of the directory D	 * Close a directory descriptor. DG=* {1 Pipes and redirections} D9? thwart tools/sync_stdlib_docs o4    o4    1@
  * Create a pipe. The first component of the result is opened
   for reading, that's the exit to the pipe. The second component is
   opened for writing, that's the entrance to the pipe.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. Cؠ	b* Create a named pipe with the given permissions (see {!umask}).

   On Windows: not implemented. C	4* {1 High-level process and redirection management} C{
  * [create_process ~prog ~args ~stdin ~stdout ~stderr]
   forks a new process that executes the program
   in file [prog], with arguments [args]. The pid of the new
   process is returned immediately; the new process executes
   concurrently with the current process.
   The standard input and outputs of the new process are connected
   to the descriptors [stdin], [stdout] and [stderr].
   Passing e.g. [Stdlib.stdout] for [stdout] prevents the redirection
   and causes the new process to have the same standard output
   as the current process.
   The executable file [prog] is searched in the path.
   The new process has the same environment as the current process. Bݠ	* [create_process_env ~prog ~args ~env ~stdin ~stdout ~stderr]
   works as {!create_process}, except that the extra argument
   [env] specifies the environment passed to the program. B
  ~* High-level pipe and process management. This function
   runs the given command in parallel with the program.
   The standard output of the command is redirected to a pipe,
   which can be read via the returned input channel.
   The command is interpreted by the shell [/bin/sh]
   (or [cmd.exe] on Windows), cf. {!system}.
   The {!Filename.quote_command} function can be used to
   quote the command and its arguments as appropriate for the shell being
   used.  If the command does not need to be run through the shell,
   {!open_process_args_in} can be used as a more robust and
   more efficient alternative to {!open_process_in}. Aߠ
  * Same as {!open_process_in}, but redirect the standard input of
   the command to a pipe.  Data written to the returned output channel
   is sent to the standard input of the command.
   Warning: writes on output channels are buffered, hence be careful
   to call {!Stdlib.flush} at the right times to ensure
   correct synchronization.
   If the command does not need to be run through the shell,
   {!open_process_args_out} can be used instead of
   {!open_process_out}. A
  * Same as {!open_process_out}, but redirects both the standard input
   and standard output of the command to pipes connected to the two
   returned channels.  The input channel is connected to the output
   of the command, and the output channel to the input of the command.
   If the command does not need to be run through the shell,
   {!open_process_args} can be used instead of
   {!open_process}. AU
  * Similar to {!open_process}, but the second argument specifies
   the environment passed to the command.  The result is a triple
   of channels connected respectively to the standard output, standard input,
   and standard error of the command.
   If the command does not need to be run through the shell,
   {!open_process_args_full} can be used instead of
   {!open_process_full}. @Ҡ
  * [open_process_args_in prog args] runs the program [prog] with arguments
    [args].  The new process executes concurrently with the current process.
    The standard output of the new process is redirected to a pipe, which can be
    read via the returned input channel.

    The executable file [prog] is searched in the path. This behaviour changed
    in 4.12; previously [prog] was looked up only in the current directory.

    The new process has the same environment as the current process.

    @since 4.08.0 @w
  p* Same as {!open_process_args_in}, but redirect the standard input of the new
    process to a pipe.  Data written to the returned output channel is sent to
    the standard input of the program.  Warning: writes on output channels are
    buffered, hence be careful to call {!Stdlib.flush} at the right times to
    ensure correct synchronization.

    @since 4.08.0 @
  3* Same as {!open_process_args_out}, but redirects both the standard input and
    standard output of the new process to pipes connected to the two returned
    channels.  The input channel is connected to the output of the program, and
    the output channel to the input of the program.

    @since 4.08.0 ?
  * Similar to {!open_process_args}, but the third argument specifies the
    environment passed to the new process.  The result is a triple of channels
    connected respectively to the standard output, standard input, and standard
    error of the program.

    @since 4.08.0 ?
	n* Return the pid of a process opened via {!open_process_in} or
   {!open_process_args_in}.

    @since 4.12.0 >Р	p* Return the pid of a process opened via {!open_process_out} or
   {!open_process_args_out}.

    @since 4.12.0 >	h* Return the pid of a process opened via {!open_process} or
   {!open_process_args}.

    @since 4.12.0 >F	r* Return the pid of a process opened via {!open_process_full} or
   {!open_process_args_full}.

    @since 4.12.0 =砠	* Close channels opened by {!open_process_in},
   wait for the associated command to terminate,
   and return its termination status. =	* Close channels opened by {!open_process_out},
   wait for the associated command to terminate,
   and return its termination status. =s	* Close channels opened by {!open_process},
   wait for the associated command to terminate,
   and return its termination status. =#	* Close channels opened by {!open_process_full},
   wait for the associated command to terminate,
   and return its termination status. <Ġ5* {1 Symbolic links} <? thwart tools/sync_stdlib_docs o  -  Do  -  g@
  * [symlink ?to_dir ~src ~dst] creates the file [dst] as a symbolic link
   to the file [src]. On Windows, [~to_dir] indicates if the symbolic link
   points to a directory or a file; if omitted, [symlink] examines [src]
   using [stat] and picks appropriately, if [src] does not exist then [false]
   is assumed (for this reason, it is recommended that the [~to_dir] parameter
   be specified in new code). On Unix, [~to_dir] is ignored.

   Windows symbolic links are available in Windows Vista onwards. There are some
   important differences between Windows symlinks and their POSIX counterparts.

   Windows symbolic links come in two flavours: directory and regular, which
   designate whether the symbolic link points to a directory or a file. The type
   must be correct - a directory symlink which actually points to a file cannot
   be selected with chdir and a file symlink which actually points to a
   directory cannot be read or written (note that Cygwin's emulation layer
   ignores this distinction).

   When symbolic links are created to existing targets, this distinction doesn't
   matter and [symlink] will automatically create the correct kind of symbolic
   link. The distinction matters when a symbolic link is created to a
   non-existent target.

   The other caveat is that by default symbolic links are a privileged
   operation. Administrators will always need to be running elevated (or with
   UAC disabled) and by default normal user accounts need to be granted the
   SeCreateSymbolicLinkPrivilege via Local Security Policy (secpol.msc) or via
   Active Directory.

   {!has_symlink} can be used to check that a process is able to create
   symbolic links. <S
  5* Returns [true] if the user is able to create symbolic links. On Windows,
   this indicates that the user not only has the SeCreateSymbolicLinkPrivilege
   but is also running elevated, if necessary. On other platforms, this is
   simply indicates that the symlink system call is available.
   @since 4.03.0 <	(* Read the contents of a symbolic link. ;ߠ.* {1 Polling} ;Ѡ
  `* Wait until some input/output operations become possible on
   some channels. The three list arguments are, respectively, a set
   of descriptors to check for reading (first argument), for writing
   (second argument), or for exceptional conditions (third argument).
   The fourth argument is the maximal timeout, in seconds; a
   negative fourth argument means no timeout (unbounded wait).
   The result is composed of three sets of descriptors: those ready
   for reading (first component), ready for writing (second component),
   and over which an exceptional condition is pending (third
   component). :ؠ.* {1 Locking} :ʠ2* Unlock a region :	9* Lock a region for writing, and block if already locked :	7* Lock a region for writing, or fail if already locked :	(* Test a region for other process locks :p	9* Lock a region for reading, and block if already locked :]	7* Lock a region for reading, or fail if already locked :J9* Commands for {!lockf}. :6
  A* [lockf fd ~mode ~len] puts a lock on a region of the file opened
   as [fd]. The region starts at the current read/write position for
   [fd] (as set by {!lseek}), and extends [len] bytes forward if
   [len] is positive, [len] bytes backwards if [len] is negative,
   or to the end of the file if [len] is zero.
   A write lock prevents any other
   process from acquiring a read or write lock on the region.
   A read lock prevents any other
   process from acquiring a write lock on the region, but lets
   other processes acquire read locks on it.

   The [F_LOCK] and [F_TLOCK] commands attempts to put a write lock
   on the specified region.
   The [F_RLOCK] and [F_TRLOCK] commands attempts to put a read lock
   on the specified region.
   If one or several locks put by another process prevent the current process
   from acquiring the lock, [F_LOCK] and [F_RLOCK] block until these locks
   are removed, while [F_TLOCK] and [F_TRLOCK] fail immediately with an
   exception.
   The [F_ULOCK] removes whatever locks the current process has on
   the specified region.
   Finally, the [F_TEST] command tests whether a write lock can be
   acquired on the specified region, without actually putting a lock.
   It returns immediately if successful, or fails otherwise.

   What happens when a process tries to lock a region of a file that is
   already locked by the same process depends on the OS.  On POSIX-compliant
   systems, the second lock operation succeeds and may "promote" the older
   lock from read lock to write lock.  On Windows, the second lock
   operation will block or fail. 9	~* {1 Signals}
   Note: installation of signal handlers is performed via
   the functions {!Sys.signal} and {!Sys.set_signal}.
9	* [kill ~pid ~signal] sends signal number [signal] to the process
   with id [pid].

   On Windows: only the {!Sys.sigkill} signal is emulated. 9;
  * [sigprocmask ~mode sigs] changes the set of blocked signals.
   If [mode] is [SIG_SETMASK], blocked signals are set to those in
   the list [sigs].
   If [mode] is [SIG_BLOCK], the signals in [sigs] are added to
   the set of blocked signals.
   If [mode] is [SIG_UNBLOCK], the signals in [sigs] are removed
   from the set of blocked signals.
   [sigprocmask] returns the set of previously blocked signals.

   When the systhreads version of the [Thread] module is loaded, this
   function redirects to [Thread.sigmask]. I.e., [sigprocmask] only
   changes the mask of the current thread.

   On Windows: not implemented (no inter-process signals on Windows). 8r	* Return the set of blocked signals that are currently pending.

   On Windows: not implemented (no inter-process signals on Windows). 8)
  * [sigsuspend sigs] atomically sets the blocked signals to [sigs]
   and waits for a non-ignored, non-blocked signal to be delivered.
   On return, the blocked signals are reset to their initial value.

   On Windows: not implemented (no inter-process signals on Windows). 7ࠠ	* Wait until a non-ignored, non-blocked signal is delivered.

  On Windows: not implemented (no inter-process signals on Windows). 75* {1 Time functions} 7<* User time for the process 7t>* System time for the process 7^	'* User time for the children processes 7H	)* System time for the children processes 72	0* The execution times (CPU times) of a process. 70* Seconds 0..60 60* Minutes 0..59 6.* Hours 0..23 6o5* Day of month 1..31 6Y6* Month of year 0..11 6C.* Year - 1900 6-<* Day of week (Sunday is 0) 65* Day of year 0..365 6	"* Daylight time savings in effect 5렠	:* The type representing wallclock time and calendar date. 5֠	K* Return the current time since 00:00:00 GMT, Jan. 1, 1970,
   in seconds. 4⠠	=* Same as {!time}, but with resolution better than 1 second. 4
  * Convert a time in seconds, as returned by {!time}, into a date and
   a time. Assumes UTC (Coordinated Universal Time), also known as GMT.
   To perform the inverse conversion, set the TZ environment variable
   to "UTC", use {!mktime}, and then restore the original value of TZ. 4n	* Convert a time in seconds, as returned by {!time}, into a date and
   a time. Assumes the local time zone.
   The function performing the inverse conversion is {!mktime}. 44
  * Convert a date and time, specified by the [tm] argument, into
   a time in seconds, as returned by {!time}.  The [tm_isdst],
   [tm_wday] and [tm_yday] fields of [tm] are ignored.  Also return a
   normalized copy of the given [tm] record, with the [tm_wday],
   [tm_yday], and [tm_isdst] fields recomputed from the other fields,
   and the other fields normalized (so that, e.g., 40 October is
   changed into 9 November).  The [tm] argument is interpreted in the
   local time zone. 3䠠	b* Schedule a [SIGALRM] signal after the given number of seconds.

   On Windows: not implemented. 3	2* Stop execution for the given number of seconds. 3p	* Stop execution for the given number of seconds.  Like [sleep],
    but fractions of seconds are supported.

    @since 4.12.0 36	* Return the execution times of the process.

   On Windows: partially implemented, will not report timings
   for child processes. 2
  * Set the last access time (second arg) and last modification time
   (third arg) for a file. Times are expressed in seconds from
   00:00:00 GMT, Jan. 1, 1970.  If both times are [0.0], the access
   and last modification times are both set to the current time. 2	Q* decrements in real time, and sends the signal [SIGALRM] when
          expired.2w	T* decrements in process virtual time, and sends [SIGVTALRM] when
          expired. 2d	* (for profiling) decrements both when the process
         is running and when the system is running on behalf of the
         process; it sends [SIGPROF] when expired. 2Q	&* The three kinds of interval timers. 2=)* Period 1=* Current value of the timer 1ڠ	6* The type describing the status of an interval timer 1Š	Z* Return the current status of the given interval timer.

   On Windows: not implemented. 1O
  * [setitimer t s] sets the interval timer [t] and returns
   its previous status. The [s] argument is interpreted as follows:
   [s.it_value], if nonzero, is the time to the next timer expiration;
   [s.it_interval], if nonzero, specifies a value to
   be used in reloading [it_value] when the timer expires.
   Setting [s.it_value] to zero disables the timer.
   Setting [s.it_interval] to zero causes the timer to be disabled
   after its next expiration.

   On Windows: not implemented. 18* {1 User id, group id} 0	\* Return the user id of the user executing the process.

   On Windows: always returns [1]. 0	a* Return the effective user id under which the process runs.

   On Windows: always returns [1]. 0	_* Set the real user id and effective user id for the process.

   On Windows: not implemented. 0I	]* Return the group id of the user executing the process.

   On Windows: always returns [1]. 0	b* Return the effective group id under which the process runs.

   On Windows: always returns [1]. /ՠ	a* Set the real group id and effective group id for the process.

   On Windows: not implemented. /	x* Return the list of groups to which the user executing the process
   belongs.

   On Windows: always returns [[|1|]]. /R	* [setgroups groups] sets the supplementary group IDs for the
    calling process. Appropriate privileges are required.

    On Windows: not implemented. /		* [initgroups user group] initializes the group access list by
    reading the group database /etc/group and using all groups of
    which [user] is a member. The additional group [group] is also
    added to the list.

    On Windows: not implemented. .	1* Structure of entries in the [passwd] database. .F	1* Structure of entries in the [groups] database. -Y	;* Return the login name of the user executing the process. ,	t* Find an entry in [passwd] with the given name.
   @raise Not_found if no such entry exists, or always on Windows. ,|	t* Find an entry in [group] with the given name.

   @raise Not_found if no such entry exists, or always on Windows. ,B	x* Find an entry in [passwd] with the given user id.

   @raise Not_found if no such entry exists, or always on Windows. ,	x* Find an entry in [group] with the given group id.

   @raise Not_found if no such entry exists, or always on Windows. +Π9* {1 Internet addresses} +	+* The abstract type of Internet addresses. +
  d* Conversion from the printable representation of an Internet
    address to its internal representation.  The argument string
    consists of 4 numbers separated by periods ([XXX.YYY.ZZZ.TTT])
    for IPv4 addresses, and up to 8 numbers separated by colons
    for IPv6 addresses.
    @raise Failure when given a string that does not match these formats. +P	* Return the printable representation of the given Internet address.
    See {!inet_addr_of_string} for a description of the
    printable representation. +	* A special IPv4 address, for use only with [bind], representing
   all the Internet addresses that the host machine possesses. *	F* A special IPv4 address representing the host machine ([127.0.0.1]). *Ơ	* A special IPv6 address, for use only with [bind], representing
   all the Internet addresses that the host machine possesses. *	@* A special IPv6 address representing the host machine ([::1]). *v	F* Whether the given [inet_addr] is an IPv6 address.
    @since 4.12.0 *<.* {1 Sockets} *..* Unix domain *
9* Internet domain (IPv4) )9* Internet domain (IPv6) )砠	* The type of socket domains.  Not all platforms support
    IPv6 sockets (type [PF_INET6]).

    On Windows: [PF_UNIX] not implemented.  )Ӡ0* Stream socket )2* Datagram socket )x-* Raw socket )e;* Sequenced packets socket )R	* The type of socket kinds, specifying the semantics of
   communications.  [SOCK_SEQPACKET] is included for completeness,
   but is rarely supported by the OS, and needs system calls that
   are not available in this library. )>!*q    q    @
   * The type of socket addresses. [ADDR_UNIX name] is a socket
   address in the Unix domain; [name] is a file name in the file
   system. [ADDR_INET(addr,port)] is a socket address in the Internet
   domain; [addr] is the Internet address of the machine, and
   [port] is the port number. (Ҡ? thwart tools/sync_stdlib_docs q  !  -q  !  P@
  * Create a new socket in the given domain, and with the
   given kind. The third argument is the protocol type; 0 selects
   the default protocol for that kind of sockets.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. (	B* Return the socket domain adequate for the given socket address. 'ݠ? thwart tools/sync_stdlib_docs q#  6  Bq$  6  e@	* Create a pair of unnamed sockets, connected together.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. 'M? thwart tools/sync_stdlib_docs q,  ]  tq-  ]  @
   * Accept connections on the given socket. The returned descriptor
   is a socket connected to the client; the returned address is
   the address of the connecting client.
   See {!set_close_on_exec} for documentation on the [cloexec]
   optional argument. &ꠠ?* Bind a socket to an address. &	"* Connect a socket to an address. &L	x* Set up a socket for receiving connection requests. The integer
   argument is the maximal number of pending requests. %6* Close for receiving %ܠ4* Close for sending %ɠ-* Close both %	'* The type of commands for [shutdown]. %
  * Shutdown a socket connection. [SHUTDOWN_SEND] as second argument
   causes reads on the other end of the connection to return
   an end-of-file condition.
   [SHUTDOWN_RECEIVE] causes writes on the other end of the connection
   to return a closed pipe condition ([SIGPIPE] signal). %*	** Return the address of the given socket. $	@* Return the address of the host connected to the given socket. $!*qS    qT    @	=* The flags for {!recv}, {!recvfrom}, {!send} and {!sendto}. $	(* Receive data from a connected socket. #	+* Receive data from an unconnected socket. #	%* Send data over a connected socket. "i	d* Same as [send], but take the data from a string instead of a byte
    sequence.
    @since 4.02.0 !̠	(* Send data over an unconnected socket. !	f* Same as [sendto], but take the data from a string instead of a
    byte sequence.
    @since 4.02.0  k5* {1 Socket options}  ]?* Record debugging information  <	'* Permit sending of broadcast messages  )	** Allow reuse of local addresses for bind  9* Keep connection active  	)* Bypass the standard routing algorithms 	!* Leave out-of-band data in line ݠ	-* Report whether socket listening is enabled ʠ	.* Control the Nagle algorithm for TCP sockets 	3* Forbid binding an IPv6 socket to an IPv4 address 	+* Allow reuse of address and port bindings 	* The socket options that can be consulted with {!getsockopt}
   and modified with {!setsockopt}.  These options have a boolean
   ([true]/[false]) value. }6* Size of send buffer :* Size of received buffer 	0* Deprecated.  Use {!getsockopt_error} instead. 堠9* Report the socket type Ҡ	:* Minimum number of bytes to process for input operations 	;* Minimum number of bytes to process for output operations 	* The socket options that can be consulted with {!getsockopt_int}
   and modified with {!setsockopt_int}.  These options have an
   integer value. 	* Whether to linger on closed connections
                    that have data present, and for how long
                    (in seconds) <	* The socket options that can be consulted with {!getsockopt_optint}
   and modified with {!setsockopt_optint}.  These options have a
   value of type [int option], with [None] meaning ``disabled''. (?* Timeout for input operations ꠠ	 * Timeout for output operations נ	* The socket options that can be consulted with {!getsockopt_float}
   and modified with {!setsockopt_float}.  These options have a
   floating-point value representing a time in seconds.
   The value 0 means infinite timeout. à	O* Return the current status of a boolean-valued option
   in the given socket. T	<* Set or clear a boolean-valued option in the given socket. 	=* Same as {!getsockopt} for an integer-valued socket option. 	=* Same as {!setsockopt} for an integer-valued socket option. L	P* Same as {!getsockopt} for a socket option whose value is
    an [int option]. 	P* Same as {!setsockopt} for a socket option whose value is
    an [int option]. 	X* Same as {!getsockopt} for a socket option whose value is a
    floating-point number. 8	X* Same as {!setsockopt} for a socket option whose value is a
    floating-point number. ڠ	Q* Return the error condition associated with the given socket,
    and clear it. 	.* {1 High-level network connection functions} 
  /* Connect to a server at the given address.
   Return a pair of buffered channels connected to the server.
   Remember to call {!Stdlib.flush} on the output channel at the right
   times to ensure correct synchronization.

   The two channels returned by [open_connection] share a descriptor
   to a socket.  Therefore, when the connection is over, you should
   call {!Stdlib.close_out} on the output channel, which will also close
   the underlying socket.  Do not call {!Stdlib.close_in} on the input
   channel; it will be collected by the GC eventually.
5
  N* ``Shut down'' a connection established with {!open_connection};
   that is, transmit an end-of-file condition to the server reading
   on the other side of the connection. This does not close the
   socket and the channels used by the connection.
   See {!Unix.open_connection} for how to close them once the
   connection is over. 
  * Establish a server on the given address.
   The function given as first argument is called for each connection
   with two buffered channels connected to the client. A new process
   is created for each connection. The function {!establish_server}
   never returns normally.

   The two channels given to the function share a descriptor to a
   socket.  The function does not need to close the channels, since this
   occurs automatically when the function returns.  If the function
   prefers explicit closing, it should close the output channel using
   {!Stdlib.close_out} and leave the input channel unclosed,
   for reasons explained in {!Unix.in_channel_of_descr}.

   On Windows: not implemented (use threads). 	"* {1 Host and protocol databases} y	0* Structure of entries in the [hosts] database. 	4* Structure of entries in the [protocols] database. _	3* Structure of entries in the [services] database. 	%* Return the name of the local host. 
	^* Find an entry in [hosts] with the given name.
    @raise Not_found if no such entry exists. Ӡ	a* Find an entry in [hosts] with the given address.
    @raise Not_found if no such entry exists. 	b* Find an entry in [protocols] with the given name.
    @raise Not_found if no such entry exists. _	m* Find an entry in [protocols] with the given protocol number.
    @raise Not_found if no such entry exists. %	a* Find an entry in [services] with the given name.
    @raise Not_found if no such entry exists. ֠	k* Find an entry in [services] with the given service number.
    @raise Not_found if no such entry exists. 0* Socket domain c.* Socket type M9* Socket protocol number 7** Address !7* Canonical host name  	2* Address information returned by {!getaddrinfo}. 	!* Impose the given socket domain _?* Impose the given socket type G=* Impose the given protocol  /	c* Do not call name resolver,
                                            expect numeric IP address 	Z* Fill the [ai_canonname] field
                                            of the result 		b* Set address to ``any'' address
                                            for use with {!bind} =* Options to {!getaddrinfo}. ⠠
  * [getaddrinfo host service opts] returns a list of {!addr_info}
    records describing socket parameters and addresses suitable for
    communicating with the given host and service.  The empty list is
    returned if the host or service names are unknown, or the constraints
    expressed in [opts] cannot be satisfied.

    [host] is either a host name or the string representation of an IP
    address.  [host] can be given as the empty string; in this case,
    the ``any'' address or the ``loopback'' address are used,
    depending whether [opts] contains [AI_PASSIVE].
    [service] is either a service name or the string representation of
    a port number.  [service] can be given as the empty string;
    in this case, the port field of the returned addresses is set to 0.
    [opts] is a possibly empty list of options that allows the caller
    to force a particular socket domain (e.g. IPv6 only or IPv4 only)
    or a particular socket type (e.g. TCP only or UDP only). 
=* Name or IP address of host 頠	!* Name of service or port number Ӡ	;* Host and service information returned by {!getnameinfo}. 	"* Do not qualify local host names a	#* Always return host as IP address N	)* Fail if host name cannot be determined ;	'* Always return service as port number (	\* Consider the service as UDP-based
                             instead of the default TCP =* Options to {!getnameinfo}. 	* [getnameinfo addr opts] returns the host name and service name
    corresponding to the socket address [addr].  [opts] is a possibly
    empty list of options that governs how these names are obtained.
    @raise Not_found if an error occurs. q9* {1 Terminal interface} c	* The following functions implement the POSIX standard terminal
   interface. They provide control over asynchronous communication ports
   and pseudo-terminals. Refer to the [termios] man page for a
   complete description. U- input modes rL  rM  @>* Ignore the break condition. 9	'* Signal interrupt on break condition. #	(* Ignore characters with parity errors. 
6* Mark parity errors. 	 * Enable parity check on input. ᠠ	%* Strip 8th bit on input characters. ˠ9* Map NL to CR on input. 6* Ignore CR on input. 9* Map CR to NL on input. 	** Recognize XON/XOFF characters on input. s	-* Emit XON/XOFF chars to control input flow. ]/ Output modes: rs  rt  @<* Enable output processing. M0 Control modes: r|  r}  @	.* Output baud rate (0 means close connection).=3* Input baud rate. '	&* Number of bits per character (5-8). =* Number of stop bits (1-2). 8* Reception is enabled. 堠	** Enable parity generation and detection. Ϡ	&* Specify odd parity instead of even. 9* Hang up on last close. =* Ignore modem status lines. . Local modes: r ` dr ` v@	'* Generate signal on INTR, QUIT, SUSP. }	\* Enable canonical processing
                                 (line buffering and editing) g	(* Disable flush after INTR, QUIT, SUSP. Q9* Echo input characters. ;	,* Echo ERASE (to erase previous character). %	)* Echo KILL (to erase the current line). 	%* Echo NL even if c_echo is not set. 5 Control characters: r ! !r ! !@	(* Interrupt character (usually ctrl-C). 頠	#* Quit character (usually ctrl-\). Ӡ	+* Erase character (usually DEL or ctrl-H). 	(* Kill line character (usually ctrl-U). 	** End-of-file character (usually ctrl-D). 	.* Alternate end-of-line char. (usually none). {	n* Minimum number of characters to read
                                 before the read request is satisfied. e	%* Maximum read wait (in 0.1s units). O	$* Start character (usually ctrl-Q). 9	#* Stop character (usually ctrl-S). #	r* Return the status of the terminal referred to by the given
   file descriptor.

   On Windows: not implemented. 

  * Set the status of the terminal referred to by the given
   file descriptor. The second argument indicates when the
   status change takes place: immediately ([TCSANOW]),
   when all pending output has been transmitted ([TCSADRAIN]),
   or after flushing all input that has been received but not
   read ([TCSAFLUSH]). [TCSADRAIN] is recommended when changing
   the output parameters; [TCSAFLUSH], when changing the input
   parameters.

   On Windows: not implemented. 
9	* Send a break condition on the given file descriptor.
   The second argument is the duration of the break, in 0.1s units;
   0 means standard duration (0.25s).

   On Windows: not implemented. 	ꠠ	x* Waits until all output written on the given file descriptor
   has been transmitted.

   On Windows: not implemented. 	
  A* Discard data written on the given file descriptor but not yet
   transmitted, or data received but not yet read, depending on the
   second argument: [TCIFLUSH] flushes data received but not read,
   [TCOFLUSH] flushes data written but not transmitted, and
   [TCIOFLUSH] flushes both.

   On Windows: not implemented. 	
  G* Suspend or restart reception or transmission of data on
   the given file descriptor, depending on the second argument:
   [TCOOFF] suspends output, [TCOON] restarts output,
   [TCIOFF] transmits a STOP character to suspend input,
   and [TCION] transmits a START character to restart input.

   On Windows: not implemented. K	|* Put the calling process in a new session and detach it from
   its controlling terminal.

   On Windows: not implemented. @  L ,../../ocamlc)-nostdlib"-I,../../stdlib"-c(-absname"-w5+a-4-9-41-42-44-45-48+-warn-error"+A*-bin-annot"-g,-safe-string0-strict-sequence/-strict-formats)-nolabels#-pp	.mawk -f ../../stdlib/expand_module_aliases.awk.unixLabels.mli0./otherlibs/unix @08ڔH4`Yt	{  0 ssssssss@s@@8CamlinternalFormatBasics0ĵ'(jdǠ&Stdlib0-&fºnr39tߠ0Stdlib__Bigarray0X0cO#W-,a/Stdlib__Complex0[4Z];f:j0IĒ[zgs80d_ &SA@0d_ &SAA                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                      rFromAnyBuildOrder(anyBuildOrder) {
  return isCircularBuildOrder(anyBuildOrder) ? anyBuildOrder.buildOrder : anyBuildOrder;
}
function createBuilderStatusReporter(system, pretty) {
  return (diagnostic) => {
    let output = pretty ? `[${formatColorAndReset(getLocaleTimeString(system), "\x1B[90m" /* Grey */)}] ` : `${getLocaleTimeString(system)} - `;
    output += `${flattenDiagnosticMessageText(diagnostic.messageText, system.newLine)}${system.newLine + system.newLine}`;
    system.write(output);
  };
}
function createSolutionBuilderHostBase(system, createProgram2, reportDiagnostic, reportSolutionBuilderStatus) {
  const host = createProgramHost(system, createProgram2);
  host.getModifiedTime = system.getModifiedTime ? (path) => system.getModifiedTime(path) : returnUndefined;
  host.setModifiedTime = system.setModifiedTime ? (path, date) => system.setModifiedTime(path, date) : noop;
  host.deleteFile = system.deleteFile ? (path) => system.deleteFile(path) : noop;
  host.reportDiagnostic = reportDiagnostic || createDiagnosticReporter(system);
  host.reportSolutionBuilderStatus = reportSolutionBuilderStatus || createBuilderStatusReporter(system);
  host.now = maybeBind(system, system.now);
  return host;
}
function createSolutionBuilderHost(system = sys, createProgram2, reportDiagnostic, reportSolutionBuilderStatus, reportErrorSummary2) {
  const host = createSolutionBuilderHostBase(system, createProgram2, reportDiagnostic, reportSolutionBuilderStatus);
  host.reportErrorSummary = reportErrorSummary2;
  return host;
}
function createSolutionBuilderWithWatchHost(system = sys, createProgram2, reportDiagnostic, reportSolutionBuilderStatus, reportWatchStatus2) {
  const host = createSolutionBuilderHostBase(system, createProgram2, reportDiagnostic, reportSolutionBuilderStatus);
  const watchHost = createWatchHost(system, reportWatchStatus2);
  copyProperties(host, watchHost);
  return host;
}
function getCompilerOptionsOfBuildOptions(buildOptions) {
  const result = {};
  commonOptionsWithBuild.forEach((option) => {
    if (hasProperty(buildOptions, option.name)) result[option.name] = buildOptions[option.name];
  });
  result.tscBuild = true;
  return result;
}
function createSolutionBuilder(host, rootNames, defaultOptions) {
  return createSolutionBuilderWorker(
    /*watch*/
    false,
    host,
    rootNames,
    defaultOptions
  );
}
function createSolutionBuilderWithWatch(host, rootNames, defaultOptions, baseWatchOptions) {
  return createSolutionBuilderWorker(
    /*watch*/
    true,
    host,
    rootNames,
    defaultOptions,
    baseWatchOptions
  );
}
function createSolutionBuilderState(watch, hostOrHostWithWatch, rootNames, options, baseWatchOptions) {
  const host = hostOrHostWithWatch;
  const hostWithWatch = hostOrHostWithWatch;
  const baseCompilerOptions = getCompilerOptionsOfBuildOptions(options);
  const compilerHost = createCompilerHostFromProgramHost(host, () => state.projectCompilerOptions);
  setGetSourceFileAsHashVersioned(compilerHost);
  compilerHost.getParsedCommandLine = (fileName) => parseConfigFile(state, fileName, toResolvedConfigFilePath(state, fileName));
  compilerHost.resolveModuleNameLiterals = maybeBind(host, host.resolveModuleNameLiterals);
  compilerHost.resolveTypeReferenceDirectiveReferences = maybeBind(host, host.resolveTypeReferenceDirectiveReferences);
  compilerHost.resolveLibrary = maybeBind(host, host.resolveLibrary);
  compilerHost.resolveModuleNames = maybeBind(host, host.resolveModuleNames);
  compilerHost.resolveTypeReferenceDirectives = maybeBind(host, host.resolveTypeReferenceDirectives);
  compilerHost.getModuleResolutionCache = maybeBind(host, host.getModuleResolutionCache);
  let moduleResolutionCache, typeReferenceDirectiveResolutionCache;
  if (!compilerHost.resolveModuleNameLiterals && !compilerHost.resolveModuleNames) {
    moduleResolutionCache = createModuleResolutionCache(compilerHost.getCurrentDirectory(), compilerHost.getCanonicalFileName);
    compilerHost.resolveModuleNameLiterals = (moduleNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache(
      moduleNames,
      containingFile,
      redirectedReference,
      options2,
      containingSourceFile,
      host,
      moduleResolutionCache,
      createModuleResolutionLoader
    );
    compilerHost.getModuleResolutionCache = () => moduleResolutionCache;
  }
  if (!compilerHost.resolveTypeReferenceDirectiveReferences && !compilerHost.resolveTypeReferenceDirectives) {
    typeReferenceDirectiveResolutionCache = createTypeReferenceDirectiveResolutionCache(
      compilerHost.getCurrentDirectory(),
      compilerHost.getCanonicalFileName,
      /*options*/
      void 0,
      moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache(),
      moduleResolutionCache == null ? void 0 : moduleResolutionCache.optionsToRedirectsKey
    );
    compilerHost.resolveTypeReferenceDirectiveReferences = (typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache(
      typeDirectiveNames,
      containingFile,
      redirectedReference,
      options2,
      containingSourceFile,
      host,
      typeReferenceDirectiveResolutionCache,
      createTypeReferenceResolutionLoader
    );
  }
  let libraryResolutionCache;
  if (!compilerHost.resolveLibrary) {
    libraryResolutionCache = createModuleResolutionCache(
      compilerHost.getCurrentDirectory(),
      compilerHost.getCanonicalFileName,
      /*options*/
      void 0,
      moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache()
    );
    compilerHost.resolveLibrary = (libraryName, resolveFrom, options2) => resolveLibrary(
      libraryName,
      resolveFrom,
      options2,
      host,
      libraryResolutionCache
    );
  }
  compilerHost.getBuildInfo = (fileName, configFilePath) => getBuildInfo3(
    state,
    fileName,
    toResolvedConfigFilePath(state, configFilePath),
    /*modifiedTime*/
    void 0
  );
  const { watchFile: watchFile2, watchDirectory, writeLog } = createWatchFactory(hostWithWatch, options);
  const state = {
    host,
    hostWithWatch,
    parseConfigFileHost: parseConfigHostFromCompilerHostLike(host),
    write: maybeBind(host, host.trace),
    // State of solution
    options,
    baseCompilerOptions,
    rootNames,
    baseWatchOptions,
    resolvedConfigFilePaths: /* @__PURE__ */ new Map(),
    configFileCache: /* @__PURE__ */ new Map(),
    projectStatus: /* @__PURE__ */ new Map(),
    extendedConfigCache: /* @__PURE__ */ new Map(),
    buildInfoCache: /* @__PURE__ */ new Map(),
    outputTimeStamps: /* @__PURE__ */ new Map(),
    builderPrograms: /* @__PURE__ */ new Map(),
    diagnostics: /* @__PURE__ */ new Map(),
    projectPendingBuild: /* @__PURE__ */ new Map(),
    projectErrorsReported: /* @__PURE__ */ new Map(),
    compilerHost,
    moduleResolutionCache,
    typeReferenceDirectiveResolutionCache,
    libraryResolutionCache,
    // Mutable state
    buildOrder: void 0,
    readFileWithCache: (f) => host.readFile(f),
    projectCompilerOptions: baseCompilerOptions,
    cache: void 0,
    allProjectBuildPending: true,
    needsSummary: true,
    watchAllProjectsPending: watch,
    // Watch state
    watch,
    allWatchedWildcardDirectories: /* @__PURE__ */ new Map(),
    allWatchedInputFiles: /* @__PURE__ */ new Map(),
    allWatchedConfigFiles: /* @__PURE__ */ new Map(),
    allWatchedExtendedConfigFiles: /* @__PURE__ */ new Map(),
    allWatchedPackageJsonFiles: /* @__PURE__ */ new Map(),
    filesWatched: /* @__PURE__ */ new Map(),
    lastCachedPackageJsonLookups: /* @__PURE__ */ new Map(),
    timerToBuildInvalidatedProject: void 0,
    reportFileChangeDetected: false,
    watchFile: watchFile2,
    watchDirectory,
    writeLog
  };
  return state;
}
function toPath2(state, fileName) {
  return toPath(fileName, state.compilerHost.getCurrentDirectory(), state.compilerHost.getCanonicalFileName);
}
function toResolvedConfigFilePath(state, fileName) {
  const { resolvedConfigFilePaths } = state;
  const path = resolvedConfigFilePaths.get(fileName);
  if (path !== void 0) return path;
  const resolvedPath = toPath2(state, fileName);
  resolvedConfigFilePaths.set(fileName, resolvedPath);
  return resolvedPath;
}
function isParsedCommandLine(entry) {
  return !!entry.options;
}
function getCachedParsedConfigFile(state, configFilePath) {
  const value = state.configFileCache.get(configFilePath);
  return value && isParsedCommandLine(value) ? value : void 0;
}
function parseConfigFile(state, configFileName, configFilePath) {
  const { configFileCache } = state;
  const value = configFileCache.get(configFilePath);
  if (value) {
    return isParsedCommandLine(value) ? value : void 0;
  }
  mark("SolutionBuilder::beforeConfigFileParsing");
  let diagnostic;
  const { parseConfigFileHost, baseCompilerOptions, baseWatchOptions, extendedConfigCache, host } = state;
  let parsed;
  if (host.getParsedCommandLine) {
    parsed = host.getParsedCommandLine(configFileName);
    if (!parsed) diagnostic = createCompilerDiagnostic(Diagnostics.File_0_not_found, configFileName);
  } else {
    parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = (d) => diagnostic = d;
    parsed = getParsedCommandLineOfConfigFile(configFileName, baseCompilerOptions, parseConfigFileHost, extendedConfigCache, baseWatchOptions);
    parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = noop;
  }
  configFileCache.set(configFilePath, parsed || diagnostic);
  mark("SolutionBuilder::afterConfigFileParsing");
  measure("SolutionBuilder::Config file parsing", "SolutionBuilder::beforeConfigFileParsing", "SolutionBuilder::afterConfigFileParsing");
  return parsed;
}
function resolveProjectName(state, name) {
  return resolveConfigFileProjectName(resolvePath(state.compilerHost.getCurrentDirectory(), name));
}
function createBuildOrder(state, roots) {
  const temporaryMarks = /* @__PURE__ */ new Map();
  const permanentMarks = /* @__PURE__ */ new Map();
  const circularityReportStack = [];
  let buildOrder;
  let circularDiagnostics;
  for (const root of roots) {
    visit(root);
  }
  return circularDiagnostics ? { buildOrder: buildOrder || emptyArray, circularDiagnostics } : buildOrder || emptyArray;
  function visit(configFileName, inCircularContext) {
    const projPath = toResolvedConfigFilePath(state, configFileName);
    if (permanentMarks.has(projPath)) return;
    if (temporaryMarks.has(projPath)) {
      if (!inCircularContext) {
        (circularDiagnostics || (circularDiagnostics = [])).push(
          createCompilerDiagnostic(
            Diagnostics.Project_references_may_not_form_a_circular_graph_Cycle_detected_Colon_0,
            circularityReportStack.join("\r\n")
          )
        );
      }
      return;
    }
    temporaryMarks.set(projPath, true);
    circularityReportStack.push(configFileName);
    const parsed = parseConfigFile(state, configFileName, projPath);
    if (parsed && parsed.projectReferences) {
      for (const ref of parsed.projectReferences) {
        const resolvedRefPath = resolveProjectName(state, ref.path);
        visit(resolvedRefPath, inCircularContext || ref.circular);
      }
    }
    circularityReportStack.pop();
    permanentMarks.set(projPath, true);
    (buildOrder || (buildOrder = [])).push(configFileName);
  }
}
function getBuildOrder(state) {
  return state.buildOrder || createStateBuildOrder(state);
}
function createStateBuildOrder(state) {
  const buildOrder = createBuildOrder(state, state.rootNames.map((f) => resolveProjectName(state, f)));
  state.resolvedConfigFilePaths.clear();
  const currentProjects = new Set(
    getBuildOrderFromAnyBuildOrder(buildOrder).map(
      (resolved) => toResolvedConfigFilePath(state, resolved)
    )
  );
  const noopOnDelete = { onDeleteValue: noop };
  mutateMapSkippingNewValues(state.configFileCache, currentProjects, noopOnDelete);
  mutateMapSkippingNewValues(state.projectStatus, currentProjects, noopOnDelete);
  mutateMapSkippingNewValues(state.builderPrograms, currentProjects, noopOnDelete);
  mutateMapSkippingNewValues(state.diagnostics, currentProjects, noopOnDelete);
  mutateMapSkippingNewValues(state.projectPendingBuild, currentProjects, noopOnDelete);
  mutateMapSkippingNewValues(state.projectErrorsReported, currentProjects, noopOnDelete);
  mutateMapSkippingNewValues(state.buildInfoCache, currentProjects, noopOnDelete);
  mutateMapSkippingNewValues(state.outputTimeStamps, currentProjects, noopOnDelete);
  mutateMapSkippingNewValues(state.lastCachedPackageJsonLookups, currentProjects, noopOnDelete);
  if (state.watch) {
    mutateMapSkippingNewValues(
      state.allWatchedConfigFiles,
      currentProjects,
      { onDeleteValue: closeFileWatcher }
    );
    state.allWatchedExtendedConfigFiles.forEach((watcher) => {
      watcher.projects.forEach((project) => {
        if (!currentProjects.has(project)) {
          watcher.projects.delete(project);
        }
      });
      watcher.close();
    });
    mutateMapSkippingNewValues(
      state.allWatchedWildcardDirectories,
      currentProjects,
      { onDeleteValue: (existingMap) => existingMap.forEach(closeFileWatcherOf) }
    );
    mutateMapSkippingNewValues(
      state.allWatchedInputFiles,
      currentProjects,
      { onDeleteValue: (existingMap) => existingMap.forEach(closeFileWatcher) }
    );
    mutateMapSkippingNewValues(
      state.allWatchedPackageJsonFiles,
      currentProjects,
      { onDeleteValue: (existingMap) => existingMap.forEach(closeFileWatcher) }
    );
  }
  return state.buildOrder = buildOrder;
}
function getBuildOrderFor(state, project, onlyReferences) {
  const resolvedProject = project && resolveProjectName(state, project);
  const buildOrderFromState = getBuildOrder(state);
  if (isCircularBuildOrder(buildOrderFromState)) return buildOrderFromState;
  if (resolvedProject) {
    const projectPath = toResolvedConfigFilePath(state, resolvedProject);
    const projectIndex = findIndex(
      buildOrderFromState,
      (configFileName) => toResolvedConfigFilePath(state, configFileName) === projectPath
    );
    if (projectIndex === -1) return void 0;
  }
  const buildOrder = resolvedProject ? createBuildOrder(state, [resolvedProject]) : buildOrderFromState;
  Debug.assert(!isCircularBuildOrder(buildOrder));
  Debug.assert(!onlyReferences || resolvedProject !== void 0);
  Debug.assert(!onlyReferences || buildOrder[buildOrder.length - 1] === resolvedProject);
  return onlyReferences ? buildOrder.slice(0, buildOrder.length - 1) : buildOrder;
}
function enableCache(state) {
  if (state.cache) {
    disableCache(state);
  }
  const { compilerHost, host } = state;
  const originalReadFileWithCache = state.readFileWithCache;
  const originalGetSourceFile = compilerHost.getSourceFile;
  const {
    originalReadFile,
    originalFileExists,
    originalDirectoryExists,
    originalCreateDirectory,
    originalWriteFile,
    getSourceFileWithCache,
    readFileWithCache
  } = changeCompilerHostLikeToUseCache(
    host,
    (fileName) => toPath2(state, fileName),
    (...args) => originalGetSourceFile.call(compilerHost, ...args)
  );
  state.readFileWithCache = readFileWithCache;
  compilerHost.getSourceFile = getSourceFileWithCache;
  state.cache = {
    originalReadFile,
    originalFileExists,
    originalDirectoryExists,
    originalCreateDirectory,
    originalWriteFile,
    originalReadFileWithCache,
    originalGetSourceFile
  };
}
function disableCache(state) {
  if (!state.cache) return;
  const { cache, host, compilerHost, extendedConfigCache, moduleResolutionCache, typeReferenceDirectiveResolutionCache, libraryResolutionCache } = state;
  host.readFile = cache.originalReadFile;
  host.fileExists = cache.originalFileExists;
  host.directoryExists = cache.originalDirectoryExists;
  host.createDirectory = cache.originalCreateDirectory;
  host.writeFile = cache.originalWriteFile;
  compilerHost.getSourceFile = cache.originalGetSourceFile;
  state.readFileWithCache = cache.originalReadFileWithCache;
  extendedConfigCache.clear();
  moduleResolutionCache == null ? void 0 : moduleResolutionCache.clear();
  typeReferenceDirectiveResolutionCache == null ? void 0 : typeReferenceDirectiveResolutionCache.clear();
  libraryResolutionCache == null ? void 0 : libraryResolutionCache.clear();
  state.cache = void 0;
}
function clearProjectStatus(state, resolved) {
  state.projectStatus.delete(resolved);
  state.diagnostics.delete(resolved);
}
function addProjToQueue({ projectPendingBuild }, proj, updateLevel) {
  const value = projectPendingBuild.get(proj);
  if (value === void 0) {
    projectPendingBuild.set(proj, updateLevel);
  } else if (value < updateLevel) {
    projectPendingBuild.set(proj, updateLevel);
  }
}
function setupInitialBuild(state, cancellationToken) {
  if (!state.allProjectBuildPending) return;
  state.allProjectBuildPending = false;
  if (state.options.watch) reportWatchStatus(state, Diagnostics.Starting_compilation_in_watch_mode);
  enableCache(state);
  const buildOrder = getBuildOrderFromAnyBuildOrder(getBuildOrder(state));
  buildOrder.forEach(
    (configFileName) => state.projectPendingBuild.set(
      toResolvedConfigFilePath(state, configFileName),
      0 /* Update */
    )
  );
  if (cancellationToken) {
    cancellationToken.throwIfCancellationRequested();
  }
}
var InvalidatedProjectKind = /* @__PURE__ */ ((InvalidatedProjectKind2) => {
  InvalidatedProjectKind2[InvalidatedProjectKind2["Build"] = 0] = "Build";
  InvalidatedProjectKind2[InvalidatedProjectKind2["UpdateOutputFileStamps"] = 1] = "UpdateOutputFileStamps";
  return InvalidatedProjectKind2;
})(InvalidatedProjectKind || {});
function doneInvalidatedProject(state, projectPath) {
  state.projectPendingBuild.delete(projectPath);
  return state.diagnostics.has(projectPath) ? 1 /* DiagnosticsPresent_OutputsSkipped */ : 0 /* Success */;
}
function createUpdateOutputFileStampsProject(state, project, projectPath, config, buildOrder) {
  let updateOutputFileStampsPending = true;
  return {
    kind: 1 /* UpdateOutputFileStamps */,
    project,
    projectPath,
    buildOrder,
    getCompilerOptions: () => config.options,
    getCurrentDirectory: () => state.compilerHost.getCurrentDirectory(),
    updateOutputFileStatmps: () => {
      updateOutputTimestamps(state, config, projectPath);
      updateOutputFileStampsPending = false;
    },
    done: () => {
      if (updateOutputFileStampsPending) {
        updateOutputTimestamps(state, config, projectPath);
      }
      mark("SolutionBuilder::Timestamps only updates");
      return doneInvalidatedProject(state, projectPath);
    }
  };
}
function createBuildOrUpdateInvalidedProject(state, project, projectPath, projectIndex, config, status, buildOrder) {
  let step = 0 /* CreateProgram */;
  let program;
  let buildResult;
  return {
    kind: 0 /* Build */,
    project,
    projectPath,
    buildOrder,
    getCompilerOptions: () => config.options,
    getCurrentDirectory: () => state.compilerHost.getCurrentDirectory(),
    getBuilderProgram: () => withProgramOrUndefined(identity),
    getProgram: () => withProgramOrUndefined(
      (program2) => program2.getProgramOrUndefined()
    ),
    getSourceFile: (fileName) => withProgramOrUndefined(
      (program2) => program2.getSourceFile(fileName)
    ),
    getSourceFiles: () => withProgramOrEmptyArray(
      (program2) => program2.getSourceFiles()
    ),
    getOptionsDiagnostics: (cancellationToken) => withProgramOrEmptyArray(
      (program2) => program2.getOptionsDiagnostics(cancellationToken)
    ),
    getGlobalDiagnostics: (cancellationToken) => withProgramOrEmptyArray(
      (program2) => program2.getGlobalDiagnostics(cancellationToken)
    ),
    getConfigFileParsingDiagnostics: () => withProgramOrEmptyArray(
      (program2) => program2.getConfigFileParsingDiagnostics()
    ),
    getSyntacticDiagnostics: (sourceFile, cancellationToken) => withProgramOrEmptyArray(
      (program2) => program2.getSyntacticDiagnostics(sourceFile, cancellationToken)
    ),
    getAllDependencies: (sourceFile) => withProgramOrEmptyArray(
      (program2) => program2.getAllDependencies(sourceFile)
    ),
    getSemanticDiagnostics: (sourceFile, cancellationToken) => withProgramOrEmptyArray(
      (program2) => program2.getSemanticDiagnostics(sourceFile, cancellationToken)
    ),
    getSemanticDiagnosticsOfNextAffectedFile: (cancellationToken, ignoreSourceFile) => withProgramOrUndefined(
      (program2) => program2.getSemanticDiagnosticsOfNextAffectedFile && program2.getSemanticDiagnosticsOfNextAffectedFile(cancellationToken, ignoreSourceFile)
    ),
    emit: (targetSourceFile, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers) => {
      if (targetSourceFile || emitOnlyDtsFiles) {
        return withProgramOrUndefined(
          (program2) => {
            var _a, _b;
            return program2.emit(targetSourceFile, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers || ((_b = (_a = state.host).getCustomTransformers) == null ? void 0 : _b.call(_a, project)));
          }
        );
      }
      executeSteps(0 /* CreateProgram */, cancellationToken);
      return emit(writeFile2, cancellationToken, customTransformers);
    },
    done
  };
  function done(cancellationToken, writeFile2, customTransformers) {
    executeSteps(3 /* Done */, cancellationToken, writeFile2, customTransformers);
    mark("SolutionBuilder::Projects built");
    return doneInvalidatedProject(state, projectPath);
  }
  function withProgramOrUndefined(action) {
    executeSteps(0 /* CreateProgram */);
    return program && action(program);
  }
  function withProgramOrEmptyArray(action) {
    return withProgramOrUndefined(action) || emptyArray;
  }
  function createProgram2() {
    var _a, _b, _c;
    Debug.assert(program === void 0);
    if (state.options.dry) {
      reportStatus(state, Diagnostics.A_non_dry_build_would_build_project_0, project);
      buildResult = 1 /* Success */;
      step = 2 /* QueueReferencingProjects */;
      return;
    }
    if (state.options.verbose) reportStatus(state, Diagnostics.Building_project_0, project);
    if (config.fileNames.length === 0) {
      reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config));
      buildResult = 0 /* None */;
      step = 2 /* QueueReferencingProjects */;
      return;
    }
    const { host, compilerHost } = state;
    state.projectCompilerOptions = config.options;
    (_a = state.moduleResolutionCache) == null ? void 0 : _a.update(config.options);
    (_b = state.typeReferenceDirectiveResolutionCache) == null ? void 0 : _b.update(config.options);
    program = host.createProgram(
      config.fileNames,
      config.options,
      compilerHost,
      getOldProgram(state, projectPath, config),
      getConfigFileParsingDiagnostics(config),
      config.projectReferences
    );
    if (state.watch) {
      const internalMap = (_c = state.moduleResolutionCache) == null ? void 0 : _c.getPackageJsonInfoCache().getInternalMap();
      state.lastCachedPackageJsonLookups.set(
        projectPath,
        internalMap && new Set(arrayFrom(
          internalMap.values(),
          (data) => state.host.realpath && (isPackageJsonInfo(data) || data.directoryExists) ? state.host.realpath(combinePaths(data.packageDirectory, "package.json")) : combinePaths(data.packageDirectory, "package.json")
        ))
      );
      state.builderPrograms.set(projectPath, program);
    }
    step++;
  }
  function emit(writeFileCallback, cancellationToken, customTransformers) {
    var _a, _b, _c;
    Debug.assertIsDefined(program);
    Debug.assert(step === 1 /* Emit */);
    const { host, compilerHost } = state;
    const emittedOutputs = /* @__PURE__ */ new Map();
    const options = program.getCompilerOptions();
    const isIncremental = isIncrementalCompilation(options);
    let outputTimeStampMap;
    let now;
    const { emitResult, diagnostics } = emitFilesAndReportErrors(
      program,
      (d) => host.reportDiagnostic(d),
      state.write,
      /*reportSummary*/
      void 0,
      (name, text, writeByteOrderMark, onError, sourceFiles, data) => {
        var _a2;
        const path = toPath2(state, name);
        emittedOutputs.set(toPath2(state, name), name);
        if (data == null ? void 0 : data.buildInfo) {
          now || (now = getCurrentTime(state.host));
          const isChangedSignature2 = (_a2 = program.hasChangedEmitSignature) == null ? void 0 : _a2.call(program);
          const existing = getBuildInfoCacheEntry(state, name, projectPath);
          if (existing) {
            existing.buildInfo = data.buildInfo;
            existing.modifiedTime = now;
            if (isChangedSignature2) existing.latestChangedDtsTime = now;
          } else {
            state.buildInfoCache.set(projectPath, {
              path: toPath2(state, name),
              buildInfo: data.buildInfo,
              modifiedTime: now,
              latestChangedDtsTime: isChangedSignature2 ? now : void 0
            });
          }
        }
        const modifiedTime = (data == null ? void 0 : data.differsOnlyInMap) ? getModifiedTime(state.host, name) : void 0;
        (writeFileCallback || compilerHost.writeFile)(
          name,
          text,
          writeByteOrderMark,
          onError,
          sourceFiles,
          data
        );
        if (data == null ? void 0 : data.differsOnlyInMap) state.host.setModifiedTime(name, modifiedTime);
        else if (!isIncremental && state.watch) {
          (outputTimeStampMap || (outputTimeStampMap = getOutputTimeStampMap(state, projectPath))).set(path, now || (now = getCurrentTime(state.host)));
        }
      },
      cancellationToken,
      /*emitOnlyDtsFiles*/
      void 0,
      customTransformers || ((_b = (_a = state.host).getCustomTransformers) == null ? void 0 : _b.call(_a, project))
    );
    if ((!options.noEmitOnError || !diagnostics.length) && (emittedOutputs.size || status.type !== 8 /* OutOfDateBuildInfoWithErrors */)) {
      updateOutputTimestampsWorker(state, config, projectPath, Diagnostics.Updating_unchanged_output_timestamps_of_project_0, emittedOutputs);
    }
    state.projectErrorsReported.set(projectPath, true);
    buildResult = ((_c = program.hasChangedEmitSignature) == null ? void 0 : _c.call(program)) ? 0 /* None */ : 2 /* DeclarationOutputUnchanged */;
    if (!diagnostics.length) {
      state.diagnostics.delete(projectPath);
      state.projectStatus.set(projectPath, {
        type: 1 /* UpToDate */,
        oldestOutputFileName: firstOrUndefinedIterator(emittedOutputs.values()) ?? getFirstProjectOutput(config, !host.useCaseSensitiveFileNames())
      });
    } else {
      state.diagnostics.set(projectPath, diagnostics);
      state.projectStatus.set(projectPath, { type: 0 /* Unbuildable */, reason: `it had errors` });
      buildResult |= 4 /* AnyErrors */;
    }
    afterProgramDone(state, program);
    step = 2 /* QueueReferencingProjects */;
    return emitResult;
  }
  function executeSteps(till, cancellationToken, writeFile2, customTransformers) {
    while (step <= till && step < 3 /* Done */) {
      const currentStep = step;
      switch (step) {
        case 0 /* CreateProgram */:
          createProgram2();
          break;
        case 1 /* Emit */:
          emit(writeFile2, cancellationToken, customTransformers);
          break;
        case 2 /* QueueReferencingProjects */:
          queueReferencingProjects(state, project, projectPath, projectIndex, config, buildOrder, Debug.checkDefined(buildResult));
          step++;
          break;
        // Should never be done
        case 3 /* Done */:
        default:
          assertType(step);
      }
      Debug.assert(step > currentStep);
    }
  }
}
function getNextInvalidatedProjectCreateInfo(state, buildOrder, reportQueue) {
  if (!state.projectPendingBuild.size) return void 0;
  if (isCircularBuildOrder(buildOrder)) return void 0;
  const { options, projectPendingBuild } = state;
  for (let projectIndex = 0; projectIndex < buildOrder.length; projectIndex++) {
    const project = buildOrder[projectIndex];
    const projectPath = toResolvedConfigFilePath(state, project);
    const updateLevel = state.projectPendingBuild.get(projectPath);
    if (updateLevel === void 0) continue;
    if (reportQueue) {
      reportQueue = false;
      reportBuildQueue(state, buildOrder);
    }
    const config = parseConfigFile(state, project, projectPath);
    if (!config) {
      reportParseConfigFileDiagnostic(state, projectPath);
      projectPendingBuild.delete(projectPath);
      continue;
    }
    if (updateLevel === 2 /* Full */) {
      watchConfigFile(state, project, projectPath, config);
      watchExtendedConfigFiles(state, projectPath, config);
      watchWildCardDirectories(state, project, projectPath, config);
      watchInputFiles(state, project, projectPath, config);
      watchPackageJsonFiles(state, project, projectPath, config);
    } else if (updateLevel === 1 /* RootNamesAndUpdate */) {
      config.fileNames = getFileNamesFromConfigSpecs(config.options.configFile.configFileSpecs, getDirectoryPath(project), config.options, state.parseConfigFileHost);
      updateErrorForNoInputFiles(
        config.fileNames,
        project,
        config.options.configFile.configFileSpecs,
        config.errors,
        canJsonReportNoInputFiles(config.raw)
      );
      watchInputFiles(state, project, projectPath, config);
      watchPackageJsonFiles(state, project, projectPath, config);
    }
    const status = getUpToDateStatus(state, config, projectPath);
    if (!options.force) {
      if (status.type === 1 /* UpToDate */) {
        verboseReportProjectStatus(state, project, status);
        reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config));
        projectPendingBuild.delete(projectPath);
        if (options.dry) {
          reportStatus(state, Diagnostics.Project_0_is_up_to_date, project);
        }
        continue;
      }
      if (status.type === 2 /* UpToDateWithUpstreamTypes */ || status.type === 15 /* UpToDateWithInputFileText */) {
        reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config));
        return {
          kind: 1 /* UpdateOutputFileStamps */,
          status,
          project,
          projectPath,
          projectIndex,
          config
        };
      }
    }
    if (status.type === 12 /* UpstreamBlocked */) {
      verboseReportProjectStatus(state, project, status);
      reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config));
      projectPendingBuild.delete(projectPath);
      if (options.verbose) {
        reportStatus(
          state,
          status.upstreamProjectBlocked ? Diagnostics.Skipping_build_of_project_0_because_its_dependency_1_was_not_built : Diagnostics.Skipping_build_of_project_0_because_its_dependency_1_has_errors,
          project,
          status.upstreamProjectName
        );
      }
      continue;
    }
    if (status.type === 16 /* ContainerOnly */) {
      verboseReportProjectStatus(state, project, status);
      reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config));
      projectPendingBuild.delete(projectPath);
      continue;
    }
    return {
      kind: 0 /* Build */,
      status,
      project,
      projectPath,
      projectIndex,
      config
    };
  }
  return void 0;
}
function createInvalidatedProjectWithInfo(state, info, buildOrder) {
  verboseReportProjectStatus(state, info.project, info.status);
  return info.kind !== 1 /* UpdateOutputFileStamps */ ? createBuildOrUpdateInvalidedProject(
    state,
    info.project,
    info.projectPath,
    info.projectIndex,
    info.config,
    info.status,
    buildOrder
  ) : createUpdateOutputFileStampsProject(
    state,
    info.project,
    info.projectPath,
    info.config,
    buildOrder
  );
}
function getNextInvalidatedProject(state, buildOrder, reportQueue) {
  const info = getNextInvalidatedProjectCreateInfo(state, buildOrder, reportQueue);
  if (!info) return info;
  return createInvalidatedProjectWithInfo(state, info, buildOrder);
}
function getOldProgram({ options, builderPrograms, compilerHost }, proj, parsed) {
  if (options.force) return void 0;
  const value = builderPrograms.get(proj);
  if (value) return value;
  return readBuilderProgram(parsed.options, compilerHost);
}
function afterProgramDone(state, program) {
  if (program) {
    if (state.host.afterProgramEmitAndDiagnostics) {
      state.host.afterProgramEmitAndDiagnostics(program);
    }
    program.releaseProgram();
  }
  state.projectCompilerOptions = state.baseCompilerOptions;
}
function isFileWatcherWithModifiedTime(value) {
  return !!value.watcher;
}
function getModifiedTime2(state, fileName) {
  const path = toPath2(state, fileName);
  const existing = state.filesWatched.get(path);
  if (state.watch && !!existing) {
    if (!isFileWatcherWithModifiedTime(existing)) return existing;
    if (existing.modifiedTime) return existing.modifiedTime;
  }
  const result = getModifiedTime(state.host, fileName);
  if (state.watch) {
    if (existing) existing.modifiedTime = result;
    else state.filesWatched.set(path, result);
  }
  return result;
}
function watchFile(state, file, callback, pollingInterval, options, watchType, project) {
  const path = toPath2(state, file);
  const existing = state.filesWatched.get(path);
  if (existing && isFileWatcherWithModifiedTime(existing)) {
    existing.callbacks.push(callback);
  } else {
    const watcher = state.watchFile(
      file,
      (fileName, eventKind, modifiedTime) => {
        const existing2 = Debug.checkDefined(state.filesWatched.get(path));
        Debug.assert(isFileWatcherWithModifiedTime(existing2));
        existing2.modifiedTime = modifiedTime;
        existing2.callbacks.forEach((cb) => cb(fileName, eventKind, modifiedTime));
      },
      pollingInterval,
      options,
      watchType,
      project
    );
    state.filesWatched.set(path, { callbacks: [callback], watcher, modifiedTime: existing });
  }
  return {
    close: () => {
      const existing2 = Debug.checkDefined(state.filesWatched.get(path));
      Debug.assert(isFileWatcherWithModifiedTime(existing2));
      if (existing2.callbacks.length === 1) {
        state.filesWatched.delete(path);
        closeFileWatcherOf(existing2);
      } else {
        unorderedRemoveItem(existing2.callbacks, callback);
      }
    }
  };
}
function getOutputTimeStampMap(state, resolvedConfigFilePath) {
  if (!state.watch) return void 0;
  let result = state.outputTimeStamps.get(resolvedConfigFilePath);
  if (!result) state.outputTimeStamps.set(resolvedConfigFilePath, result = /* @__PURE__ */ new Map());
  return result;
}
function getBuildInfoCacheEntry(state, buildInfoPath, resolvedConfigPath) {
  const path = toPath2(state, buildInfoPath);
  const existing = state.buildInfoCache.get(resolvedConfigPath);
  return (existing == null ? void 0 : existing.path) === path ? existing : void 0;
}
function getBuildInfo3(state, buildInfoPath, resolvedConfigPath, modifiedTime) {
  const path = toPath2(state, buildInfoPath);
  const existing = state.buildInfoCache.get(resolvedConfigPath);
  if (existing !== void 0 && existing.path === path) {
    return existing.buildInfo || void 0;
  }
  const value = state.readFileWithCache(buildInfoPath);
  const buildInfo = value ? getBuildInfo(buildInfoPath, value) : void 0;
  state.buildInfoCache.set(resolvedConfigPath, { path, buildInfo: buildInfo || false, modifiedTime: modifiedTime || missingFileModifiedTime });
  return buildInfo;
}
function checkConfigFileUpToDateStatus(state, configFile, oldestOutputFileTime, oldestOutputFileName) {
  const tsconfigTime = getModifiedTime2(state, configFile);
  if (oldestOutputFileTime < tsconfigTime) {
    return {
      type: 5 /* OutOfDateWithSelf */,
      outOfDateOutputFileName: oldestOutputFileName,
      newerInputFileName: configFile
    };
  }
}
function getUpToDateStatusWorker(state, project, resolvedPath) {
  var _a, _b, _c, _d, _e;
  if (isSolutionConfig(project)) return { type: 16 /* ContainerOnly */ };
  let referenceStatuses;
  const force = !!state.options.force;
  if (project.projectReferences) {
    state.projectStatus.set(resolvedPath, { type: 13 /* ComputingUpstream */ });
    for (const ref of project.projectReferences) {
      const resolvedRef = resolveProjectReferencePath(ref);
      const resolvedRefPath = toResolvedConfigFilePath(state, resolvedRef);
      const resolvedConfig = parseConfigFile(state, resolvedRef, resolvedRefPath);
      const refStatus = getUpToDateStatus(state, resolvedConfig, resolvedRefPath);
      if (refStatus.type === 13 /* ComputingUpstream */ || refStatus.type === 16 /* ContainerOnly */) {
        continue;
      }
      if (state.options.stopBuildOnErrors && (refStatus.type === 0 /* Unbuildable */ || refStatus.type === 12 /* UpstreamBlocked */)) {
        return {
          type: 12 /* UpstreamBlocked */,
          upstreamProjectName: ref.path,
          upstreamProjectBlocked: refStatus.type === 12 /* UpstreamBlocked */
        };
      }
      if (!force) (referenceStatuses || (referenceStatuses = [])).push({ ref, refStatus, resolvedRefPath, resolvedConfig });
    }
  }
  if (force) return { type: 17 /* ForceBuild */ };
  const { host } = state;
  const buildInfoPath = getTsBuildInfoEmitOutputFilePath(project.options);
  const isIncremental = isIncrementalCompilation(project.options);
  let buildInfoCacheEntry = getBuildInfoCacheEntry(state, buildInfoPath, resolvedPath);
  const buildInfoTime = (buildInfoCacheEntry == null ? void 0 : buildInfoCacheEntry.modifiedTime) || getModifiedTime(host, buildInfoPath);
  if (buildInfoTime === missingFileModifiedTime) {
    if (!buildInfoCacheEntry) {
      state.buildInfoCache.set(resolvedPath, {
        path: toPath2(state, buildInfoPath),
        buildInfo: false,
        modifiedTime: buildInfoTime
      });
    }
    return {
      type: 3 /* OutputMissing */,
      missingOutputFileName: buildInfoPath
    };
  }
  const buildInfo = getBuildInfo3(state, buildInfoPath, resolvedPath, buildInfoTime);
  if (!buildInfo) {
    return {
      type: 4 /* ErrorReadingFile */,
      fileName: buildInfoPath
    };
  }
  const incrementalBuildInfo = isIncremental && isIncrementalBuildInfo(buildInfo) ? buildInfo : void 0;
  if ((incrementalBuildInfo || !isIncremental) && buildInfo.version !== version) {
    return {
      type: 14 /* TsVersionOutputOfDate */,
      version: buildInfo.version
    };
  }
  if (!project.options.noCheck && (buildInfo.errors || // TODO: syntax errors????
  buildInfo.checkPending)) {
    return {
      type: 8 /* OutOfDateBuildInfoWithErrors */,
      buildInfoFile: buildInfoPath
    };
  }
  if (incrementalBuildInfo) {
    if (!project.options.noCheck && (((_a = incrementalBuildInfo.changeFileSet) == null ? void 0 : _a.length) || ((_b = incrementalBuildInfo.semanticDiagnosticsPerFile) == null ? void 0 : _b.length) || getEmitDeclarations(project.options) && ((_c = incrementalBuildInfo.emitDiagnosticsPerFile) == null ? void 0 : _c.length))) {
      return {
        type: 8 /* OutOfDateBuildInfoWithErrors */,
        buildInfoFile: buildInfoPath
      };
    }
    if (!project.options.noEmit && (((_d = incrementalBuildInfo.changeFileSet) == null ? void 0 : _d.length) || ((_e = incrementalBuildInfo.affectedFilesPendingEmit) == null ? void 0 : _e.length) || incrementalBuildInfo.pendingEmit !== void 0)) {
      return {
        type: 7 /* OutOfDateBuildInfoWithPendingEmit */,
        buildInfoFile: buildInfoPath
      };
    }
    if ((!project.options.noEmit || project.options.noEmit && getEmitDeclarations(project.options)) && getPendingEmitKindWithSeen(
      project.options,
      incrementalBuildInfo.options || {},
      /*emitOnlyDtsFiles*/
      void 0,
      !!project.options.noEmit
    )) {
      return {
        type: 9 /* OutOfDateOptions */,
        buildInfoFile: buildInfoPath
      };
    }
  }
  let oldestOutputFileTime = buildInfoTime;
  let oldestOutputFileName = buildInfoPath;
  let newestInputFileName = void 0;
  let newestInputFileTime = minimumDate;
  let pseudoInputUpToDate = false;
  const seenRoots = /* @__PURE__ */ new Set();
  let buildInfoVersionMap;
  for (const inputFile of project.fileNames) {
    const inputTime = getModifiedTime2(state, inputFile);
    if (inputTime === missingFileModifiedTime) {
      return {
        type: 0 /* Unbuildable */,
        reason: `${inputFile} does not exist`
      };
    }
    const inputPath = toPath2(state, inputFile);
    if (buildInfoTime < inputTime) {
      let version2;
      let currentVersion;
      if (incrementalBuildInfo) {
        if (!buildInfoVersionMap) buildInfoVersionMap = getBuildInfoFileVersionMap(incrementalBuildInfo, buildInfoPath, host);
        const resolvedInputPath = buildInfoVersionMap.roots.get(inputPath);
        version2 = buildInfoVersionMap.fileInfos.get(resolvedInputPath ?? inputPath);
        const text = version2 ? state.readFileWithCache(resolvedInputPath ?? inputFile) : void 0;
        currentVersion = text !== void 0 ? getSourceFileVersionAsHashFromText(host, text) : void 0;
        if (version2 && version2 === currentVersion) pseudoInputUpToDate = true;
      }
      if (!version2 || version2 !== currentVersion) {
        return {
          type: 5 /* OutOfDateWithSelf */,
          outOfDateOutputFileName: buildInfoPath,
          newerInputFileName: inputFile
        };
      }
    }
    if (inputTime > newestInputFileTime) {
      newestInputFileName = inputFile;
      newestInputFileTime = inputTime;
    }
    seenRoots.add(inputPath);
  }
  let existingRoot;
  if (incrementalBuildInfo) {
    if (!buildInfoVersionMap) buildInfoVersionMap = getBuildInfoFileVersionMap(incrementalBuildInfo, buildInfoPath, host);
    existingRoot = forEachEntry(
      buildInfoVersionMap.roots,
      // File was root file when project was built but its not any more
      (_resolved, existingRoot2) => !seenRoots.has(existingRoot2) ? existingRoot2 : void 0
    );
  } else {
    existingRoot = forEach(
      getNonIncrementalBuildInfoRoots(buildInfo, buildInfoPath, host),
      (root) => !seenRoots.has(root) ? root : void 0
    );
  }
  if (existingRoot) {
    return {
      type: 10 /* OutOfDateRoots */,
      buildInfoFile: buildInfoPath,
      inputFile: existingRoot
    };
  }
  if (!isIncremental) {
    const outputs = getAllProjectOutputs(project, !host.useCaseSensitiveFileNames());
    const outputTimeStampMap = getOutputTimeStampMap(state, resolvedPath);
    for (const output of outputs) {
      if (output === buildInfoPath) continue;
      const path = toPath2(state, output);
      let outputTime = outputTimeStampMap == null ? void 0 : outputTimeStampMap.get(path);
      if (!outputTime) {
        outputTime = getModifiedTime(state.host, output);
        outputTimeStampMap == null ? void 0 : outputTimeStampMap.set(path, outputTime);
      }
      if (outputTime === missingFileModifiedTime) {
        return {
          type: 3 /* OutputMissing */,
          missingOutputFileName: output
        };
      }
      if (outputTime < newestInputFileTime) {
        return {
          type: 5 /* OutOfDateWithSelf */,
          outOfDateOutputFileName: output,
          newerInputFileName: newestInputFileName
        };
      }
      if (outputTime < oldestOutputFileTime) {
        oldestOutputFileTime = outputTime;
        oldestOutputFileName = output;
      }
    }
  }
  let pseudoUpToDate = false;
  if (referenceStatuses) {
    for (const { ref, refStatus, resolvedConfig, resolvedRefPath } of referenceStatuses) {
      if (refStatus.newestInputFileTime && refStatus.newestInputFileTime <= oldestOutputFileTime) {
        continue;
      }
      if (hasSameBuildInfo(state, buildInfoCacheEntry ?? (buildInfoCacheEntry = state.buildInfoCache.get(resolvedPath)), resolvedRefPath)) {
        return {
          type: 6 /* OutOfDateWithUpstream */,
          outOfDateOutputFileName: buildInfoPath,
          newerProjectName: ref.path
        };
      }
      const newestDeclarationFileContentChangedTime = getLatestChangedDtsTime(state, resolvedConfig.options, resolvedRefPath);
      if (newestDeclarationFileContentChangedTime && newestDeclarationFileContentChangedTime <= oldestOutputFileTime) {
        pseudoUpToDate = true;
        continue;
      }
      Debug.assert(oldestOutputFileName !== void 0, "Should have an oldest output filename here");
      return {
        type: 6 /* OutOfDateWithUpstream */,
        outOfDateOutputFileName: oldestOutputFileName,
        newerProjectName: ref.path
      };
    }
  }
  const configStatus = checkConfigFileUpToDateStatus(state, project.options.configFilePath, oldestOutputFileTime, oldestOutputFileName);
  if (configStatus) return configStatus;
  const extendedConfigStatus = forEach(project.options.configFile.extendedSourceFiles || emptyArray, (configFile) => checkConfigFileUpToDateStatus(state, configFile, oldestOutputFileTime, oldestOutputFileName));
  if (extendedConfigStatus) return extendedConfigStatus;
  const packageJsonLookups = state.lastCachedPackageJsonLookups.get(resolvedPath);
  const dependentPackageFileStatus = packageJsonLookups && forEachKey(
    packageJsonLookups,
    (path) => checkConfigFileUpToDateStatus(state, path, oldestOutputFileTime, oldestOutputFileName)
  );
  if (dependentPackageFileStatus) return dependentPackageFileStatus;
  return {
    type: pseudoUpToDate ? 2 /* UpToDateWithUpstreamTypes */ : pseudoInputUpToDate ? 15 /* UpToDateWithInputFileText */ : 1 /* UpToDate */,
    newestInputFileTime,
    newestInputFileName,
    oldestOutputFileName
  };
}
function hasSameBuildInfo(state, buildInfoCacheEntry, resolvedRefPath) {
  const refBuildInfo = state.buildInfoCache.get(resolvedRefPath);
  return refBuildInfo.path === buildInfoCacheEntry.path;
}
function getUpToDateStatus(state, project, resolvedPath) {
  if (project === void 0) {
    return { type: 0 /* Unbuildable */, reason: "config file deleted mid-build" };
  }
  const prior = state.projectStatus.get(resolvedPath);
  if (prior !== void 0) {
    return prior;
  }
  mark("SolutionBuilder::beforeUpToDateCheck");
  const actual = getUpToDateStatusWorker(state, project, resolvedPath);
  mark("SolutionBuilder::afterUpToDateCheck");
  measure("SolutionBuilder::Up-to-date check", "SolutionBuilder::beforeUpToDateCheck", "SolutionBuilder::afterUpToDateCheck");
  state.projectStatus.set(resolvedPath, actual);
  return actual;
}
function updateOutputTimestampsWorker(state, proj, projectPath, verboseMessage, skipOutputs) {
  if (proj.options.noEmit) return;
  let now;
  const buildInfoPath = getTsBuildInfoEmitOutputFilePath(proj.options);
  const isIncremental = isIncrementalCompilation(proj.options);
  if (buildInfoPath && isIncremental) {
    if (!(skipOutputs == null ? void 0 : skipOutputs.has(toPath2(state, buildInfoPath)))) {
      if (!!state.options.verbose) reportStatus(state, verboseMessage, proj.options.configFilePath);
      state.host.setModifiedTime(buildInfoPath, now = getCurrentTime(state.host));
      getBuildInfoCacheEntry(state, buildInfoPath, projectPath).modifiedTime = now;
    }
    state.outputTimeStamps.delete(projectPath);
    return;
  }
  const { host } = state;
  const outputs = getAllProjectOutputs(proj, !host.useCaseSensitiveFileNames());
  const outputTimeStampMap = getOutputTimeStampMap(state, projectPath);
  const modifiedOutputs = outputTimeStampMap ? /* @__PURE__ */ new Set() : void 0;
  if (!skipOutputs || outputs.length !== skipOutputs.size) {
    let reportVerbose = !!state.options.verbose;
    for (const file of outputs) {
      const path = toPath2(state, file);
      if (skipOutputs == null ? void 0 : skipOutputs.has(path)) continue;
      if (reportVerbose) {
        reportVerbose = false;
        reportStatus(state, verboseMessage, proj.options.configFilePath);
      }
      host.setModifiedTime(file, now || (now = getCurrentTime(state.host)));
      if (file === buildInfoPath) getBuildInfoCacheEntry(state, buildInfoPath, projectPath).modifiedTime = now;
      else if (outputTimeStampMap) {
        outputTimeStampMap.set(path, now);
        modifiedOutputs.add(path);
      }
    }
  }
  outputTimeStampMap == null ? void 0 : outputTimeStampMap.forEach((_value, key) => {
    if (!(skipOutputs == null ? void 0 : skipOutputs.has(key)) && !modifiedOutputs.has(key)) outputTimeStampMap.delete(key);
  });
}
function getLatestChangedDtsTime(state, options, resolvedConfigPath) {
  if (!options.composite) return void 0;
  const entry = Debug.checkDefined(state.buildInfoCache.get(resolvedConfigPath));
  if (entry.latestChangedDtsTime !== void 0) return entry.latestChangedDtsTime || void 0;
  const latestChangedDtsTime = entry.buildInfo && isIncrementalBuildInfo(entry.buildInfo) && entry.buildInfo.latestChangedDtsFile ? state.host.getModifiedTime(getNormalizedAbsolutePath(entry.buildInfo.latestChangedDtsFile, getDirectoryPath(entry.path))) : void 0;
  entry.latestChangedDtsTime = latestChangedDtsTime || false;
  return latestChangedDtsTime;
}
function updateOutputTimestamps(state, proj, resolvedPath) {
  if (state.options.dry) {
    return reportStatus(state, Diagnostics.A_non_dry_build_would_update_timestamps_for_output_of_project_0, proj.options.configFilePath);
  }
  updateOutputTimestampsWorker(state, proj, resolvedPath, Diagnostics.Updating_output_timestamps_of_project_0);
  state.projectStatus.set(resolvedPath, {
    type: 1 /* UpToDate */,
    oldestOutputFileName: getFirstProjectOutput(proj, !state.host.useCaseSensitiveFileNames())
  });
}
function queueReferencingProjects(state, project, projectPath, projectIndex, config, buildOrder, buildResult) {
  if (state.options.stopBuildOnErrors && buildResult & 4 /* AnyErrors */) return;
  if (!config.options.composite) return;
  for (let index = projectIndex + 1; index < buildOrder.length; index++) {
    const nextProject = buildOrder[index];
    const nextProjectPath = toResolvedConfigFilePath(state, nextProject);
    if (state.projectPendingBuild.has(nextProjectPath)) continue;
    const nextProjectConfig = parseConfigFile(state, nextProject, nextProjectPath);
    if (!nextProjectConfig || !nextProjectConfig.projectReferences) continue;
    for (const ref of nextProjectConfig.projectReferences) {
      const resolvedRefPath = resolveProjectName(state, ref.path);
      if (toResolvedConfigFilePath(state, resolvedRefPath) !== projectPath) continue;
      const status = state.projectStatus.get(nextProjectPath);
      if (status) {
        switch (status.type) {
          case 1 /* UpToDate */:
            if (buildResult & 2 /* DeclarationOutputUnchanged */) {
              status.type = 2 /* UpToDateWithUpstreamTypes */;
              break;
            }
          // falls through
          case 15 /* UpToDateWithInputFileText */:
          case 2 /* UpToDateWithUpstreamTypes */:
            if (!(buildResult & 2 /* DeclarationOutputUnchanged */)) {
              state.projectStatus.set(nextProjectPath, {
                type: 6 /* OutOfDateWithUpstream */,
                outOfDateOutputFileName: status.oldestOutputFileName,
                newerProjectName: project
              });
            }
            break;
          case 12 /* UpstreamBlocked */:
            if (toResolvedConfigFilePath(state, resolveProjectName(state, status.upstreamProjectName)) === projectPath) {
              clearProjectStatus(state, nextProjectPath);
            }
            break;
        }
      }
      addProjToQueue(state, nextProjectPath, 0 /* Update */);
      break;
    }
  }
}
function build(state, project, cancellationToken, writeFile2, getCustomTransformers, onlyReferences) {
  mark("SolutionBuilder::beforeBuild");
  const result = buildWorker(state, project, cancellationToken, writeFile2, getCustomTransformers, onlyReferences);
  mark("SolutionBuilder::afterBuild");
  measure("SolutionBuilder::Build", "SolutionBuilder::beforeBuild", "SolutionBuilder::afterBuild");
  return result;
}
function buildWorker(state, project, cancellationToken, writeFile2, getCustomTransformers, onlyReferences) {
  const buildOrder = getBuildOrderFor(state, project, onlyReferences);
  if (!buildOrder) return 3 /* InvalidProject_OutputsSkipped */;
  setupInitialBuild(state, cancellationToken);
  let reportQueue = true;
  let successfulProjects = 0;
  while (true) {
    const invalidatedProject = getNextInvalidatedProject(state, buildOrder, reportQueue);
    if (!invalidatedProject) break;
    reportQueue = false;
    invalidatedProject.done(cancellationToken, writeFile2, getCustomTransformers == null ? void 0 : getCustomTransformers(invalidatedProject.project));
    if (!state.diagnostics.has(invalidatedProject.projectPath)) successfulProjects++;
  }
  disableCache(state);
  reportErrorSummary(state, buildOrder);
  startWatching(state, buildOrder);
  return isCircularBuildOrder(buildOrder) ? 4 /* ProjectReferenceCycle_OutputsSkipped */ : !buildOrder.some((p) => state.diagnostics.has(toResolvedConfigFilePath(state, p))) ? 0 /* Success */ : successfulProjects ? 2 /* DiagnosticsPresent_OutputsGenerated */ : 1 /* DiagnosticsPresent_OutputsSkipped */;
}
function clean(state, project, onlyReferences) {
  mark("SolutionBuilder::beforeClean");
  const result = cleanWorker(state, project, onlyReferences);
  mark("SolutionBuilder::afterClean");
  measure("SolutionBuilder::Clean", "SolutionBuilder::beforeClean", "SolutionBuilder::afterClean");
  return result;
}
function cleanWorker(state, project, onlyReferences) {
  const buildOrder = getBuildOrderFor(state, project, onlyReferences);
  if (!buildOrder) return 3 /* InvalidProject_OutputsSkipped */;
  if (isCircularBuildOrder(buildOrder)) {
    reportErrors(state, buildOrder.circularDiagnostics);
    return 4 /* ProjectReferenceCycle_OutputsSkipped */;
  }
  const { options, host } = state;
  const filesToDelete = options.dry ? [] : void 0;
  for (const proj of buildOrder) {
    const resolvedPath = toResolvedConfigFilePath(state, proj);
    const parsed = parseConfigFile(state, proj, resolvedPath);
    if (parsed === void 0) {
      reportParseConfigFileDiagnostic(state, resolvedPath);
      continue;
    }
    const outputs = getAllProjectOutputs(parsed, !host.useCaseSensitiveFileNames());
    if (!outputs.length) continue;
    const inputFileNames = new Set(parsed.fileNames.map((f) => toPath2(state, f)));
    for (const output of outputs) {
      if (inputFileNames.has(toPath2(state, output))) continue;
      if (host.fileExists(output)) {
        if (filesToDelete) {
          filesToDelete.push(output);
        } else {
          host.deleteFile(output);
          invalidateProject(state, resolvedPath, 0 /* Update */);
        }
      }
    }
  }
  if (filesToDelete) {
    reportStatus(state, Diagnostics.A_non_dry_build_would_delete_the_following_files_Colon_0, filesToDelete.map((f) => `\r
 * ${f}`).join(""));
  }
  return 0 /* Success */;
}
function invalidateProject(state, resolved, updateLevel) {
  if (state.host.getParsedCommandLine && updateLevel === 1 /* RootNamesAndUpdate */) {
    updateLevel = 2 /* Full */;
  }
  if (updateLevel === 2 /* Full */) {
    state.configFileCache.delete(resolved);
    state.buildOrder = void 0;
  }
  state.needsSummary = true;
  clearProjectStatus(state, resolved);
  addProjToQueue(state, resolved, updateLevel);
  enableCache(state);
}
function invalidateProjectAndScheduleBuilds(state, resolvedPath, updateLevel) {
  state.reportFileChangeDetected = true;
  invalidateProject(state, resolvedPath, updateLevel);
  scheduleBuildInvalidatedProject(
    state,
    250,
    /*changeDetected*/
    true
  );
}
function scheduleBuildInvalidatedProject(state, time, changeDetected) {
  const { hostWithWatch } = state;
  if (!hostWithWatch.setTimeout || !hostWithWatch.clearTimeout) {
    return;
  }
  if (state.timerToBuildInvalidatedProject) {
    hostWithWatch.clearTimeout(state.timerToBuildInvalidatedProject);
  }
  state.timerToBuildInvalidatedProject = hostWithWatch.setTimeout(buildNextInvalidatedProject, time, "timerToBuildInvalidatedProject", state, changeDetected);
}
function buildNextInvalidatedProject(_timeoutType, state, changeDetected) {
  mark("SolutionBuilder::beforeBuild");
  const buildOrder = buildNextInvalidatedProjectWorker(state, changeDetected);
  mark("SolutionBuilder::afterBuild");
  measure("SolutionBuilder::Build", "SolutionBuilder::beforeBuild", "SolutionBuilder::afterBuild");
  if (buildOrder) reportErrorSummary(state, buildOrder);
}
function buildNextInvalidatedProjectWorker(state, changeDetected) {
  state.timerToBuildInvalidatedProject = void 0;
  if (state.reportFileChangeDetected) {
    state.reportFileChangeDetected = false;
    state.projectErrorsReported.clear();
    reportWatchStatus(state, Diagnostics.File_change_detected_Starting_incremental_compilation);
  }
  let projectsBuilt = 0;
  const buildOrder = getBuildOrder(state);
  const invalidatedProject = getNextInvalidatedProject(
    state,
    buildOrder,
    /*reportQueue*/
    false
  );
  if (invalidatedProject) {
    invalidatedProject.done();
    projectsBuilt++;
    while (state.projectPendingBuild.size) {
      if (state.timerToBuildInvalidatedProject) return;
      const info = getNextInvalidatedProjectCreateInfo(
        state,
        buildOrder,
        /*reportQueue*/
        false
      );
      if (!info) break;
      if (info.kind !== 1 /* UpdateOutputFileStamps */ && (changeDetected || projectsBuilt === 5)) {
        scheduleBuildInvalidatedProject(
          state,
          100,
          /*changeDetected*/
          false
        );
        return;
      }
      const project = createInvalidatedProjectWithInfo(state, info, buildOrder);
      project.done();
      if (info.kind !== 1 /* UpdateOutputFileStamps */) projectsBuilt++;
    }
  }
  disableCache(state);
  return buildOrder;
}
function watchConfigFile(state, resolved, resolvedPath, parsed) {
  if (!state.watch || state.allWatchedConfigFiles.has(resolvedPath)) return;
  state.allWatchedConfigFiles.set(
    resolvedPath,
    watchFile(
      state,
      resolved,
      () => invalidateProjectAndScheduleBuilds(state, resolvedPath, 2 /* Full */),
      2e3 /* High */,
      parsed == null ? void 0 : parsed.watchOptions,
      WatchType.ConfigFile,
      resolved
    )
  );
}
function watchExtendedConfigFiles(state, resolvedPath, parsed) {
  updateSharedExtendedConfigFileWatcher(
    resolvedPath,
    parsed == null ? void 0 : parsed.options,
    state.allWatchedExtendedConfigFiles,
    (extendedConfigFileName, extendedConfigFilePath) => watchFile(
      state,
      extendedConfigFileName,
      () => {
        var _a;
        return (_a = state.allWatchedExtendedConfigFiles.get(extendedConfigFilePath)) == null ? void 0 : _a.projects.forEach((projectConfigFilePath) => invalidateProjectAndScheduleBuilds(state, projectConfigFilePath, 2 /* Full */));
      },
      2e3 /* High */,
      parsed == null ? void 0 : parsed.watchOptions,
      WatchType.ExtendedConfigFile
    ),
    (fileName) => toPath2(state, fileName)
  );
}
function watchWildCardDirectories(state, resolved, resolvedPath, parsed) {
  if (!state.watch) return;
  updateWatchingWildcardDirectories(
    getOrCreateValueMapFromConfigFileMap(state.allWatchedWildcardDirectories, resolvedPath),
    parsed.wildcardDirectories,
    (dir, flags) => state.watchDirectory(
      dir,
      (fileOrDirectory) => {
        var _a;
        if (isIgnoredFileFromWildCardWatching({
          watchedDirPath: toPath2(state, dir),
          fileOrDirectory,
          fileOrDirectoryPath: toPath2(state, fileOrDirectory),
          configFileName: resolved,
          currentDirectory: state.compilerHost.getCurrentDirectory(),
          options: parsed.options,
          program: state.builderPrograms.get(resolvedPath) || ((_a = getCachedParsedConfigFile(state, resolvedPath)) == null ? void 0 : _a.fileNames),
          useCaseSensitiveFileNames: state.parseConfigFileHost.useCaseSensitiveFileNames,
          writeLog: (s) => state.writeLog(s),
          toPath: (fileName) => toPath2(state, fileName)
        })) return;
        invalidateProjectAndScheduleBuilds(state, resolvedPath, 1 /* RootNamesAndUpdate */);
      },
      flags,
      parsed == null ? void 0 : parsed.watchOptions,
      WatchType.WildcardDirectory,
      resolved
    )
  );
}
function watchInputFiles(state, resolved, resolvedPath, parsed) {
  if (!state.watch) return;
  mutateMap(
    getOrCreateValueMapFromConfigFileMap(state.allWatchedInputFiles, resolvedPath),
    new Set(parsed.fileNames),
    {
      createNewValue: (input) => watchFile(
        state,
        input,
        () => invalidateProjectAndScheduleBuilds(state, resolvedPath, 0 /* Update */),
        250 /* Low */,
        parsed == null ? void 0 : parsed.watchOptions,
        WatchType.SourceFile,
        resolved
      ),
      onDeleteValue: closeFileWatcher
    }
  );
}
function watchPackageJsonFiles(state, resolved, resolvedPath, parsed) {
  if (!state.watch || !state.lastCachedPackageJsonLookups) return;
  mutateMap(
    getOrCreateValueMapFromConfigFileMap(state.allWatchedPackageJsonFiles, resolvedPath),
    state.lastCachedPackageJsonLookups.get(resolvedPath),
    {
      createNewValue: (input) => watchFile(
        state,
        input,
        () => invalidateProjectAndScheduleBuilds(state, resolvedPath, 0 /* Update */),
        2e3 /* High */,
        parsed == null ? void 0 : parsed.watchOptions,
        WatchType.PackageJson,
        resolved
      ),
      onDeleteValue: closeFileWatcher
    }
  );
}
function startWatching(state, buildOrder) {
  if (!state.watchAllProjectsPending) return;
  mark("SolutionBuilder::beforeWatcherCreation");
  state.watchAllProjectsPending = false;
  for (const resolved of getBuildOrderFromAnyBuildOrder(buildOrder)) {
    const resolvedPath = toResolvedConfigFilePath(state, resolved);
    const cfg = parseConfigFile(state, resolved, resolvedPath);
    watchConfigFile(state, resolved, resolvedPath, cfg);
    watchExtendedConfigFiles(state, resolvedPath, cfg);
    if (cfg) {
      watchWildCardDirectories(state, resolved, resolvedPath, cfg);
      watchInputFiles(state, resolved, resolvedPath, cfg);
      watchPackageJsonFiles(state, resolved, resolvedPath, cfg);
    }
  }
  mark("SolutionBuilder::afterWatcherCreation");
  measure("SolutionBuilder::Watcher creation", "SolutionBuilder::beforeWatcherCreation", "SolutionBuilder::afterWatcherCreation");
}
function stopWatching(state) {
  clearMap(state.allWatchedConfigFiles, closeFileWatcher);
  clearMap(state.allWatchedExtendedConfigFiles, closeFileWatcherOf);
  clearMap(state.allWatchedWildcardDirectories, (watchedWildcardDirectories) => clearMap(watchedWildcardDirectories, closeFileWatcherOf));
  clearMap(state.allWatchedInputFiles, (watchedWildcardDirectories) => clearMap(watchedWildcardDirectories, closeFileWatcher));
  clearMap(state.allWatchedPackageJsonFiles, (watchedPacageJsonFiles) => clearMap(watchedPacageJsonFiles, closeFileWatcher));
}
function createSolutionBuilderWorker(watch, hostOrHostWithWatch, rootNames, options, baseWatchOptions) {
  const state = createSolutionBuilderState(watch, hostOrHostWithWatch, rootNames, options, baseWatchOptions);
  return {
    build: (project, cancellationToken, writeFile2, getCustomTransformers) => build(state, project, cancellationToken, writeFile2, getCustomTransformers),
    clean: (project) => clean(state, project),
    buildReferences: (project, cancellationToken, writeFile2, getCustomTransformers) => build(
      state,
      project,
      cancellationToken,
      writeFile2,
      getCustomTransformers,
      /*onlyReferences*/
      true
    ),
    cleanReferences: (project) => clean(
      state,
      project,
      /*onlyReferences*/
      true
    ),
    getNextInvalidatedProject: (cancellationToken) => {
      setupInitialBuild(state, cancellationToken);
      return getNextInvalidatedProject(
        state,
        getBuildOrder(state),
        /*reportQueue*/
        false
      );
    },
    getBuildOrder: () => getBuildOrder(state),
    getUpToDateStatusOfProject: (project) => {
      const configFileName = resolveProjectName(state, project);
      const configFilePath = toResolvedConfigFilePath(state, configFileName);
      return getUpToDateStatus(state, parseConfigFile(state, configFileName, configFilePath), configFilePath);
    },
    invalidateProject: (configFilePath, updateLevel) => invalidateProject(state, configFilePath, updateLevel || 0 /* Update */),
    close: () => stopWatching(state)
  };
}
function relName(state, path) {
  return convertToRelativePath(path, state.compilerHost.getCurrentDirectory(), state.compilerHost.getCanonicalFileName);
}
function reportStatus(state, message, ...args) {
  state.host.reportSolutionBuilderStatus(createCompilerDiagnostic(message, ...args));
}
function reportWatchStatus(state, message, ...args) {
  var _a, _b;
  (_b = (_a = state.hostWithWatch).onWatchStatusChange) == null ? void 0 : _b.call(_a, createCompilerDiagnostic(message, ...args), state.host.getNewLine(), state.baseCompilerOptions);
}
function reportErrors({ host }, errors) {
  errors.forEach((err) => host.reportDiagnostic(err));
}
function reportAndStoreErrors(state, proj, errors) {
  reportEScreenI2UTF8 ]GBK @NANBNCNDNENFNGNHN IN!JN#KN&LN)MN.NN/ON1PN3QN5RN7SN<TN@UNAVNBWNDXNFYNJZNQ[NU\NW]NZ^N[_Nb`NcaNdbNecNgdNheNjfNkgNlhNmiNnjNokNrlNtmNunNvoNwpNxqNyrNzsN{tN|uN}vNwNxNyNzN{N|N}N~NNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNNO OOOOOOOOOOOOOOOOO!O#O(O)O,O-O.O1O3O5O7O9O;O>O?O@OAOBODOEOGOHOIOJOKOLOROTOVOaObOfOhOjOkOmOnOqOrOuOwOxOyOzO}OOOOOOOOOOOOOOOOOOOOOO@OAOBOCODOEOFOGOHOIOJOKOLOMONOOOPOQOROSOTOUOVOWOXOYOZO[O\O]O^O_O`OaObOcOdOeOfOgOhOiOjOkOlOmOnOoOpOqOrOsOtP uPvPwPxPyPzP{P|P}P	~P
PPPPPPPPPPPP P"P#P$P'P+P/P0P1P2P3P4P5P6P7P8P9P;P=P?P@PAPBPDPEPFPIPJPKPMPPPQPRPSPTPVPWPXPYP[P]P^P_P`PaPbPcPdPfPgPhPiPjPkPmPnPoPpPqPrPsPtPuPxPyPzP|P}PPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPP@PAPBPCPDPEPFPGPHPIPJPKPLPMPNPOPPPQPRPSPTPUPVPWPXPYPZP[P\P]P^P_P`PaPbPcPdPePfPgPhPiPjPkPlPmPnPoPpPqPrPsPtPuPvPwPxQ yQzQ{Q|Q}Q~QQ	Q
QQ
QQQQQQQQQQQQQQQQQQ Q"Q#Q$Q%Q&Q'Q(Q)Q*Q+Q,Q-Q.Q/Q0Q1Q2Q3Q4Q5Q6Q7Q8Q9Q:Q;Q<Q=Q>QBQGQJQLQNQOQPQRQSQWQXQYQ[Q]Q^Q_Q`QaQcQdQfQgQiQjQoQrQzQ~QQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQQ@QAQBQCQDQEQFQGQHQIQJQKQLQMQNQOQPQQQRQSQTQURVRWR	XRYRZR[R\R]R^R_R`RaRbR!cR"dR#eR%fR&gR'hR*iR,jR/kR1lR2mR4nR5oR<pR>qRDrREsRFtRGuRHvRIwRKxRNyROzRR{RS|RU}RW~RXRYRZR[R]R_R`RbRcRdRfRhRkRlRmRnRpRqRsRtRuRvRwRxRyRzR{R|R~RRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRSSSSSS	S
SSS@SASBSCSDSESFSGSHSIS"JS$KS%LS'MS(NS)OS+PS,QS-RS/SS0TS1US2VS3WS4XS5YS6ZS7[S8\S<]S=^S@_SB`SDaSFbSKcSLdSMeSPfSTgSXhSYiS[jS]kSelShmSjnSloSmpSrqSvrSysS{tS|uS}vS~wSxSySzS{S|S}S~SSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSSST TTTTTTTTTT"T$T%T*T0T3T6T7T:T=T?TATBTDTETGTITLTMTNTOTQTZT]T^T_T`TaTcTeTgTiTjTkTlTmTnToTpTtTyTzT~TTTTTTTTTTTTTTTTTT@TATBTCTDTETFTGTHTITJTKTLTMTNTOTPTQTRTSTTTUTVTWTXTYTZT[T\T]T^T_T`TaTbTcTdTeU fUgUhUiUjUkU
lUmUnU
oUpUqUrUsUtUuUvUwUxUyUzU{U|U!}U%~U&U(U)U+U-U2U4U5U6U8U9U:U;U=U@UBUEUGUHUKULUMUNUOUQURUSUTUWUXUYUZU[U]U^U_U`UbUcUhUiUkUoUpUqUrUsUtUyUzU}UUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUVVVV@VAVBV
CVDV
EVFVGVHVIVJVKVLVMVNVOVPVQV RV!SV"TV%UV&VV(WV)XV*YV+ZV.[V/\V0]V3^V5_V7`V8aV:bV<cV=dV>eV@fVAgVBhVCiVDjVEkVFlVGmVHnVIoVJpVKqVOrVPsVQtVRuVSvVUwVVxVZyV[zV]{V^|V_}V`~VaVcVeVfVgVmVnVoVpVrVsVtVuVwVxVyVzV}V~VVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVVW WWWWWWW
WWWW@WAWBWCWDWEWFWGWHWIWJWKWLW MW!NW"OW$PW%QW&RW'SW+TW1UW2VW4WW5XW6YW7ZW8[W<\W=]W?^WA_WC`WDaWEbWFcWHdWIeWKfWRgWShWTiWUjWVkWXlWYmWbnWcoWepWgqWlrWnsWptWquWrvWtwWuxWxyWyzWz{W}|W~}W~WWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWW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/X1X2X3X4X6X7X8X9X:X;X<X=	@X>	AX?	BX@	CXA	DXB	EXC	FXE	GXF	HXG	IXH	JXI	KXJ	LXK	MXN	NXO	OXP	PXR	QXS	RXU	SXV	TXW	UXY	VXZ	WX[	XX\	YX]	ZX_	[X`	\Xa	]Xb	^Xc	_Xd	`Xf	aXg	bXh	cXi	dXj	eXm	fXn	gXo	hXp	iXq	jXr	kXs	lXt	mXu	nXv	oXw	pXx	qXy	rXz	sX{	tX|	uX}	vX	wX	xX	yX	zX	{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	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	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 	Y	Y	Y	Y	Y	Y		Y
	Y	Y	Y	Y	Y	Y	Y	Y	Y	Y	Y	Y	Y 	Y!	Y"	Y#	Y&	Y(	Y,	Y0	Y2	Y3	Y5	Y6	Y;
@Y=
AY>
BY?
CY@
DYC
EYE
FYF
GYJ
HYL
IYM
JYP
KYR
LYS
MYY
NY[
OY\
PY]
QY^
RY_
SYa
TYc
UYd
VYf
WYg
XYh
YYi
ZYj
[Yk
\Yl
]Ym
^Yn
_Yo
`Yp
aYq
bYr
cYu
dYw
eYz
fY{
gY|
hY~
iY
jY
kY
lY
mY
nY
oY
pY
qY
rY
sY
tY
uY
vY
wY
xY
yY
zY
{Y
|Y
}Y
~Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Y
Z 
Z
Z

Z
Z
Z
Z
Z
Z
Z
Z
Z
Z
Z
Z
Z
Z
Z
Z!
Z"
Z$
Z&
Z'
Z(
Z*
Z+
Z,
Z-
Z.
Z/
Z0
Z3
Z5
Z7
Z8
Z9
Z:
Z;
Z=
Z>
Z?
ZA
ZB
ZC
ZD
ZE
ZG
ZH
ZK
ZL
ZM
ZN
ZO
ZP
ZQ
ZR
ZS
ZT
ZV
ZW
ZX
ZY
Z[
Z\
Z]
Z^
Z_
Z`@ZaAZcBZdCZeDZfEZhFZiGZkHZlIZmJZnKZoLZpMZqNZrOZsPZxQZyRZ{SZ|TZ}UZ~VZWZXZYZZZ[Z\Z]Z^Z_Z`ZaZbZcZdZeZfZgZhZiZjZkZlZmZnZoZpZqZrZsZtZuZvZwZxZyZzZ{Z|Z}Z~ZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZ[ [[[[[[[[[
[[[
[[[[[[[[[[[[[[[[[ [!["[#[$[%[&['[([)[*[+[,[-[.[/[0[1[3[5[6[8[9[:[;[<[=[>[?[A[B[C[D[E[F[G@[HA[IB[JC[KD[LE[MF[NG[OH[RI[VJ[^K[`L[aM[gN[hO[kP[mQ[nR[oS[rT[tU[vV[wW[xX[yY[{Z[|[[~\[][^[_[`[a[b[c[d[e[f[g[h[i[j[k[l[m[n[o[p[q[r[s[t[u[v[w[x[y[z[{[|[}[~[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[[\ \\\\\\\\
\\\\\\\\\\ \!\#\&\(\)\*\+\-\.\/\0\2\3\5\6\7\C\D\F\G\L\M\R\S\T\V\W\X\Z\[\\\]\_\b\d\g\h\i\j\k\l\m\p\r\s\t\u\v\w\x\{\|\}\~\\\\\\\\\\\\\\\\\\\\\\\\
@\
A\
B\
C\
D\
E\
F\
G\
H\
I\
J\
K\
L\
M\
N\
O\
P\
Q\
R\
S\
T\
U\
V\
W\
X\
Y\
Z\
[\
\\
]\
^\
_\
`\
a\
b\
c\
d\
e\
f\
g\
h\
i\
j\
k\
l\
m\
n\
o\
p\
q\
r\
s\
t\
u\
v\
w\
x\
y\
z\
{\
|\
}\
~] 
]
]
]
]
]	
]

]
]
]

]
]
]
]
]
]
]
]
]
]
]
]
]
] 
]!
]"
]#
]%
](
]*
]+
],
]/
]0
]1
]2
]3
]5
]6
]7
]8
]9
]:
];
]<
]?
]@
]A
]B
]C
]D
]E
]F
]H
]I
]M
]N
]O
]P
]Q
]R
]S
]T
]U
]V
]W
]Y
]Z
]\
]^
]_
]`
]a
]b
]c
]d
]e
]f
]g
]h
]j
]m
]n
]p
]q
]r
]s
]u
]v
]w
]x
]y
]z
]{
]|
]}
]~
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]
]@]A]B]C]D]E]F]G]H]I]J]K]L]M]N]O]P]Q]R]S]T]U]V]W]X]Y]Z][]\]]]^]_]`]a]b]c]d]e]f]g]h]i]j]k]l]m]n]o]p]q]r]s]t]u]v]w]x]y]z]{]|]}]~]]]]]]]]]]^ ^^^	^
^^
^^^^^^^ ^!^"^#^$^%^(^)^*^+^,^/^0^2^3^4^5^6^9^:^>^?^@^A^C^F^G^H^I^J^K^M^N^O^P^Q^R^S^V^W^X^Y^Z^\^]^_^`^c^d^e^f^g^h^i^j^k^l^m^n^o^p^q^u^w^y^~^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^@^A^B^C^D^E^F^G^H^I^J^K^L^M^N^O^P^Q^R^S^T^U^V^W^X^Y^Z^[^\^]^^^_^`^a^b^c^d^e^f^g^h^i^j^k_l_m_n_	o_p_
q_r_s_t_u_v_w_x_y_z_{_!|_"}_#~_$_(_+_,_._0_2_3_4_5_6_7_8_;_=_>_?_A_B_C_D_E_F_G_H_I_J_K_L_M_N_O_Q_T_Y_Z_[_\_^___`_c_e_g_h_k_n_o_r_t_u_v_x_z_}_~_______________________________________________________________________`@`A`	B`C`D`E`F`G`H`I`J`K`L`"M`#N`$O`,P`-Q`.R`0S`1T`2U`3V`4W`6X`7Y`8Z`9[`:\`=]`>^`@_`D``Ea`Fb`Gc`Hd`Ie`Jf`Lg`Nh`Oi`Qj`Sk`Tl`Vm`Wn`Xo`[p`\q`^r`_s``t`au`ev`fw`nx`qy`rz`t{`u|`w}`~~```````````````````````````````````````````````````````````````````````````aaaaaa
aaaaaaaaaaaaaaaa!a"a%a(a)a*a,a-a.a/a0a1a2a3a4a5a6a7a8a9a:a;a<a=a>a@aAaBaCaDaEaF@aGAaIBaKCaMDaOEaPFaRGaSHaTIaVJaWKaXLaYMaZNa[Oa\Pa^Qa_Ra`SaaTacUadVaeWafXaiYajZak[al\am]an^ao_aq`araasbatcavdaxeayfazga{ha|ia}ja~kalamanaoapaqarasatauavawaxayaza{a|a}a~aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaab bbbbbbb	bbbbbbb b#b&b'b(b)b+b-b/b0b1b2b5b6b8b9b:b;b<bBbDbEbFbJ@bOAbPBbUCbVDbWEbYFbZGb\Hb]Ib^Jb_Kb`LbaMbbNbdObePbhQbqRbrSbtTbuUbwVbxWbzXb{Yb}Zb[b\b]b^b_b`babbbcbdbebfbgbhbibjbkblbmbnbobpbqbrbsbtbubvbwbxbybzb{b|b}b~bbbbbbbbbbbbbbbbbbbbc ccccc
ccc
ccccccccccc&c'c)c,c-c.c0c1c3c4c5c6c7c8c;c<c>c?c@cAcDcGcHcJcQcRcScTcVcWcXcYcZc[c\c]c`cdcecfchcjckclcocpcrcsctcucxcyc|c}c~cccccccccccccccccccccccccccccccccc@cAcBcCcDcEcFcGcHcIcJcKcLcMcNcOcPcQcRcScTcUcVcWcXcYcZc[c\c]c^c_c`cacbcccdcecfcgchcidjdkdldmdnd	od
pd
qdrdsdtdudvdwdxdydzd{d|d"}d#~d$d%d'd(d)d+d.d/d0d1d2d3d5d6d7d8d9d;d<d>d@dBdCdIdKdLdMdNdOdPdQdSdUdVdWdYdZd[d\d]d_d`dadbdcdddedfdhdjdkdldndodpdqdrdsdtdudvdwd{d|d}d~dddddddddddddddddddddddddddddddddddddddddddddddddddddddddddddd@dAdBdCdDdEdFdGdHdIdJdKdLdMdNdOdPdQdRdSdTdUdVdWdXdYdZd[d\d]d^d_d`daebecedeeefegeheie
jekele
meneoepeqereseteuevewexeyeze{e|e}e ~e!e"e#e$e&e'e(e)e*e,e-e0e1e2e3e7e:e<e=e@eAeBeCeDeFeGeJeKeMeNePeReSeTeWeXeZe\e_e`eaedeeegeheiejemeneoeqeseuevexeyeze{e|e}e~eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee@eAeBeCeDeEeFeGeHeIeJeKfLfMfNfOfPf	QfRf
SfTfUfVfWfXfYfZf[f\f]f!^f"_f#`f$af&bf)cf*df+ef,ff.gf0hf2if3jf7kf8lf9mf:nf;of=pf?qf@rfBsfDtfEufFvfGwfHxfIyfJzfM{fN|fP}fQ~fXfYf[f\f]f^f`fbfcfefgfifjfkflfmfqfrfsfufxfy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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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ffffffffffffffffffffffggg@gAgBgCgDgEgFgGgHgIgJgKgLgMgNgOgPg Qg!Rg"Sg#Tg$Ug%Vg'Wg)Xg.Yg0Zg2[g3\g6]g7^g8_g9`g;ag<bg>cg?dgAegDfgEggGhgJigKjgMkgRlgTmgUngWogXpgYqgZrg[sg]tgbugcvgdwgfxggygkzgl{gn|gq}gt~gvgxgygzg{g}ggggggggggggggggggggggggggggggggggggggggggggggggggggggggggggggggggggggggghhhhhh
hhhhhhhhhhhh h"h#h$h%h&h'h(h+h,h-h.h/h0h1h4h5h6h:h;h?hGhKhMhOhRhVhWhXhYhZh[@h\Ah]Bh^Ch_DhjEhlFhmGhnHhoIhpJhqKhrLhsMhuNhxOhyPhzQh{Rh|Sh}Th~UhVhWhXhYhZh[h\h]h^h_h`hahbhchdhehfhghhhihjhkhlhmhnhohphqhrhshthuhvhwhxhyhzh{h|h}h~hhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhhi iiiiiii	i
iiiiiiiiiiiiiiii!i"i#i%i&i'i(i)i*i+i,i.i/i1i2i3i5i6i7i8i:i;i<i>i@iAiCiDiEiFiGiHiIiJiKiLiMiNiOiPiQiRiSiUiViXiYi[i\i_@iaAibBidCieDigEihFiiGijHilIimJioKipLirMisNitOiuPivQizRi{Si}Ti~UiViWiXiYiZi[i\i]i^i_i`iaibicidieifigihiiijikiliminioipiqirisitiuiviwixiyizi{i|i}i~iiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiij jjjjjjjjj	jjj
jjjjjjjjjjjjjjjj j"j#j$j%j&j'j)j+j,j-j.j0j2j3j4j6j7j8j9j:j;j<j?j@jAjBjCjEjFjHjIjJjKjLjMjNjOjQjRjSjTjUjVjWjZ@j\Aj]Bj^Cj_Dj`EjbFjcGjdHjfIjgJjhKjiLjjMjkNjlOjmPjnQjoRjpSjrTjsUjtVjuWjvXjwYjxZjz[j{\j}]j~^j_j`jajbjcjdjejfjgjhjijjjkjljmjnjojpjqjrjsjtjujvjwjxjyjzj{j|j}j~jjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjjk kkkkkkkkk	k
kkk
kkkkkkkkkkkkkkkkkkk%k&k(k)k*k+k,k-k.@k/Ak0Bk1Ck3Dk4Ek5Fk6Gk8Hk;Ik<Jk=Kk?Lk@MkANkBOkDPkEQkHRkJSkKTkMUkNVkOWkPXkQYkRZkS[kT\kU]kV^kW_kX`kZak[bk\ck]dk^ek_fk`gkahkhikijkkkkllkmmknnkookppkqqkrrksskttkuukvvkwwkxxkzyk}zk~{k|k}k~kkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkkl llllll	l
lllllllll l#l%l+l,l-l1l3l6l7l9l:l;l<l>l?lClDlElHlKlLlMlNlOlQlRlSlVlX@lYAlZBlbClcDleElfFlgGlkHllIlmJlnKloLlqMlsNluOlwPlxQlzRl{Sl|TlUlVlWlXlYlZl[l\l]l^l_l`lalblcldlelflglhliljlklllmlnlolplqlrlsltlulvlwlxlylzl{l|l}l~llllllllllllllllm mmmmmm	m
m
mmmmmmmmmmmm m!m"m#m$m&m(m)m,m-m/m0m4m6m7m8m:m?m@mBmDmImLmPmUmVmWmXm[m]m_mambmdmemgmhmkmlmmmpmqmrmsmumvmymzm{m}m~mmmmmmmmmmmmmmmmmmmmmmmmmmmmmmmmmmmmmmmmm@mAmBmCmDmEmFmGmHmImJmKmLmMmNmOmPmQmRmSmTmUmVmWmXmYmZm[m\m]m^m_m`n anbncndnenfngnhn	injnknlnmnnnonpnqnrnsntn"un&vn'wn(xn*yn,zn.{n0|n1}n3~n5n6n7n9n;n<n=n>n?n@nAnBnEnFnGnHnInJnKnLnOnPnQnRnUnWnYnZn\n]n^n`nanbncndnenfngnhninjnlnmnonpnqnrnsntnunvnwnxnynzn{n|n}nnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnn@nAnBnCnDnEnFnGnHnInJnKnLnMnNo OoPoQoRoSoToUo
VoWoXo
YoZo[o\o]o^o_o`oaobocodoeofogo!ho"io#jo%ko&lo'mo(no,oo.po0qo2ro4so5to7uo8vo9wo:xo;yo<zo={o?|o@}oA~oBoCoDoEoHoIoJoLoNoOoPoQoRoSoToUoVoWoYoZo[o]o_o`oaocodoeogohoiojokolooopoqosouovowoyo{o}o~ooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooooo@oAoBoCoDoEoFoGoHoIoJoKoLoMoNoOoPoQoRoSoToUoVoWoXp YpZp[p\p]p^p_p`pap	bp
cpdpep
fpgphpipjpkplpmpnpopppqprpsptpup vp!wp"xp$yp%zp&{p'|p(}p)~p*p+p,p-p.p/p0p1p2p3p4p6p7p8p:p;p<p=p>p?p@pApBpCpDpEpFpGpHpIpJpKpMpNpPpQpRpSpTpUpVpWpXpYpZp[p\p]p_p`papbpcpdpepfpgphpipjpnpqprpsptpwpypzp{p}pppppppppppppppppppppppppppppppppppppppppppppppppppppppppp@pApBpCpDpEpFpGpHpIpJpKpLpMpNpOpPpQpRpSpTpUpVpWq XqYqZq[q\q]q^q_q`qaqbq
cqdqeqfqgqhqiqjqkqlqmqnq oq!pq"qq#rq$sq%tq'uq(vq)wq*xq+yq,zq-{q.|q2}q3~q4q5q7q8q9q:q;q<q=q>q?q@qAqBqCqDqFqGqHqIqKqMqOqPqQqRqSqTqUqVqWqXqYqZq[q]q_q`qaqbqcqeqiqjqkqlqmqoqpqqqtquqvqwqyq{q|q~qqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqq @q Aq Bq Cq Dq Eq Fq Gq Hq Iq Jq Kq Lq Mq Nq Oq Pq Qq Rq Sq Tq Uq Vq Wq Xq Yq Zq [q \q ]q ^q _q `q aq bq cq dq er  fr gr hr ir jr kr lr mr	 nr
 or pr qr
 rr sr tr ur vr wr xr yr zr {r |r }r ~r r r r r r  r! r" r# r$ r% r& r' r) r+ r- r. r/ r2 r3 r4 r: r< r> r@ rA rB rC rD rE rF rI rJ rK rN rO rP rQ rS rT rU rW rX rZ r\ r^ r` rc rd re rh rj rk rl rm rp rq rs rt rv rw rx r{ r| r} r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r r!@!A!B!C!D!E!F!G!H!I!J!K!L!M!N!O!P!Q!R!S!T!U!V!W!X!Y!Z![!\!]!^!_!`!a!b!c!d!e!f!g!h!i!j!k!l!m!n!o!p!q!r!s!t!u!v!w!x!y!z !{!|!}!~!!!!!	!
!!!
!!!!!!!!!!!!!!!!!!! !!!"!#!$!%!0 !0!0! !!! !0!0! !^! ! &! ! ! ! !0!0!0!0	!0
!0!0!0
!0!0!0!0!0!0! ! ! !"6!"'!"(!"!"!"*!")!"!"7!"!"!"%!" !#!"!"+!".!"a!"L!"H!"=!"!"`!"n!"o!"d!"e!"!"5!"4!&B!&@! ! 2! 3!!!! !!! 0! !!!&!&!%!%!%!%!%!%!%!%!%! ;!!!!!!!!!0"@&"A'"B("C)"D*"E+"F,"G-"H."I/"J0"K1"L2"M3"N4"O5"P6"Q7"R8"S9"T:"U;"V<"W="X>"Y?"Z@"[A"\B"]C"^D"_E"`F"aG"bH"cI"dJ"eK"fL"gM"hN"iO"jP"kQ"lR"mS"nT"oU"pV"qW"rX"sY"tZ"u["v\"w]"x^"y_"z`"{a"|b"}c"~d"e"f"g"h"i"j"k"l"m"n"o"p"q"r"s"t"u"v"w"x"y"z"{"|"}"~""""""""!p"!q"!r"!s"!t"!u"!v"!w"!x"!y"""""""$"$"$"$"$"$"$"$"$"$"$"$"$"$"$"$"$"$"$"$"$t"$u"$v"$w"$x"$y"$z"${"$|"$}"$~"$"$"$"$"$"$"$"$"$"$`"$a"$b"$c"$d"$e"$f"$g"$h"$i"""2 "2!"2""2#"2$"2%"2&"2'"2("2)"""!`"!a"!b"!c"!d"!e"!f"!g"!h"!i"!j"!k""#@#A#B#C#D#E#F#G#H#I#J#K#L#M#N#O#P#Q#R#S#T#U#V#W#X#Y#Z#[#\#]#^#_#`#a#b#c#d#e#f#g#h#i#j#k#l#m#n#o#p#q#r#s#t#u#v#w#x#y#z#{#|#}#~##########################################	#
###
################### #!#"###$#%#&#'#(#)#*#+#,#-#.#/#0#1#2#3#4#5#6#7#8#9#:#;#<#=#>#?#@#A#B#C#D#E#F#G#H#I#J#K#L#M#N#O#P#Q#R#S#T#U#V#W#X#Y#Z#[#\#]#$@$A$B$C$D$E$F$G$H$I$J$K$L$M$N $O$P$Q$R$S$T$U$V$W	$X
$Y$Z$[
$\$]$^$_$`$a$b$c$d$e$f$g$h$i$j$k$l$m$n $o!$p"$q#$r$$s%$t&$u'$v($w)$x*$y+$z,${-$|.$}/$~0$1$2$3$4$5$6$7$8$9$:$;$<$=$>$?$@$A$B$C$D$E$F$G$H$I$J$K$L$M$N$O$P$Q$0A$0B$0C$0D$0E$0F$0G$0H$0I$0J$0K$0L$0M$0N$0O$0P$0Q$0R$0S$0T$0U$0V$0W$0X$0Y$0Z$0[$0\$0]$0^$0_$0`$0a$0b$0c$0d$0e$0f$0g$0h$0i$0j$0k$0l$0m$0n$0o$0p$0q$0r$0s$0t$0u$0v$0w$0x$0y$0z$0{$0|$0}$0~$0$0$0$0$0$0$0$0$0$0$0$0$0$0$0$0$0$0$0$0$0$R$S$T$U$V$W$X$Y$Z$[$\%@]%A^%B_%C`%Da%Eb%Fc%Gd%He%If%Jg%Kh%Li%Mj%Nk%Ol%Pm%Qn%Ro%Sp%Tq%Ur%Vs%Wt%Xu%Yv%Zw%[x%\y%]z%^{%_|%`}%a~%b%c%d%e%f%g%h%i%j%k%l%m%n%o%p%q%r%s%t%u%v%w%x%y%z%{%|%}%~%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%0%%%%%%%%&@&A&B&C&D&E&F&G&H&I&J&K&L&M&N&O&P&Q&R&S&T&U&V&W&X&Y&Z&[&\&]&^&_&`&a&b&c&d&e&f&g&h&i&j&k&l&m&n&o&p&q&r&s&t&u&v&w&x&y&z&{ &|&}&~&&&&&&	&
&&&
&&&&&&&&&&&&&&&&&&& &!&"&#&$&&&&&&&&&&&&&&&&&&&&&&&&&%&&&'&(&)&*&+&,&&&&&&&&&&&&&&&&&&&&&&&&&-&.&/&0&1&2&3&5&6&9&:&?&@&=&>&A&B&C&D&4&5&;&<&7&8&1&6&3&4&7&8&9&:&;&<&=&>&?'@@'AA'BB'CC'DD'EE'FF'GG'HH'II'JJ'KK'LL'MM'NN'OO'PP'QQ'RR'SS'TT'UU'VV'WW'XX'YY'ZZ'[['\\']]'^^'__'``'aa'bb'cc'dd'ee'ff'gg'hh'ii'jj'kk'll'mm'nn'oo'pp'qq'rr'ss'tt'uu'vv'ww'xx'yy'zz'{{'||'}}'~~''''''''''''''''''''''''''''''''''''''''''''''''''' '!'"'#'$'%'&'''(')'*'+','-'.'/''''''''''''''''0'1'2'3'4'5'Q'6'7'8'9':';'<'='>'?'@'A'B'C'D'E'F'G'H'I'J'K'L'M'N'O'''''''''''''(@(A(B(C (D (E %(F 5(G!(H!	(I!(J!(K!(L!(M"(N"(O"#(P"R(Q"f(R"g(S"(T%P(U%Q(V%R(W%S(X%T(Y%U(Z%V([%W(\%X(]%Y(^%Z(_%[(`%\(a%](b%^(c%_(d%`(e%a(f%b(g%c(h%d(i%e(j%f(k%g(l%h(m%i(n%j(o%k(p%l(q%m(r%n(s%o(t%p(u%q(v%r(w%s(x%(y%(z%({%(|%(}%(~%(%(%(%(%(%(%(%(%(%(%(%(%(%(%(%(%(%(&	(0(0(0((((((((((((( (( (( (( (+( (( (M( (( (k( (( ((((( ( (Q((D(H((a(((((1(1(1(1(1	(1
(1(1(1
(1(1(1(1(1(1(1(1(1(1(1(1(1(1(1(1(1(1(1 (1!(1"(1#(1$(1%(1&(1'(1((1)((((((((((((((((((((()@0!)A0")B0#)C0$)D0%)E0&)F0')G0()H0))I2)J3)K3)L3)M3)N3)O3)P3)Q3)R3)S3)T3)U0)V)W)X)Y!!)Z21)[)\ )])^)_)`0)a0)b0)c0)d0)e0)f0)g0)hI)iJ)jK)kL)lM)mN)nO)oP)pQ)qR)rT)sU)tV)uW)vY)wZ)x[)y\)z]){^)|_)}`)~a)b)c)d)e)f)h)i)j)k))))))))))))))0))))))))))))) )% )%)%)%)%)%)%)%)%)%	)%
)%)%)%
)%)%)%)%)%)%)%)%)%)%)%)%)%)%)%)%)%)%)% )%!)%")%#)%$)%%)%&)%')%()%))%*)%+)%,)%-)%.)%/)%0)%1)%2)%3)%4)%5)%6)%7)%8)%9)%:)%;)%<)%=)%>)%?)%@)%A)%B)%C)%D)%E)%F)%G)%H)%I)%J)%K)))))))))	)
)))
))*@r*Ar*Br*Cr*Dr*Er*Fr*Gr*Hr*Ir*Jr*Kr*Lr*Mr*Nr*Or*Pr*Qs *Rs*Ss*Ts*Us*Vs*Ws*Xs	*Ys*Zs*[s
*\s*]s*^s*_s*`s*as*bs*cs*ds*es *fs#*gs$*hs&*is'*js(*ks-*ls/*ms0*ns2*os3*ps5*qs6*rs:*ss;*ts<*us=*vs@*wsA*xsB*ysC*zsD*{sE*|sF*}sG*~sH*sI*sJ*sK*sL*sN*sO*sQ*sS*sT*sU*sV*sX*sY*sZ*s[*s\*s]*s^*s_*sa*sb*sc*sd*se*sf*sg*sh*si*sj*sk*sn*sp*sq* *********	*
***
******************* *!*"*#*$*%*&*'*(*)***+*,*-*.*/*0*1*2*3*4*5*6*7*8*9*:*;*<*=*>*?*@*A*B*C*D*E*F*G*H*I*J*K*L*M*N*O*P*Q*R*S*T*U*V*W*X*Y*Z*[*\*]+@sr+Ass+Bst+Csu+Dsv+Esw+Fsx+Gsy+Hsz+Is{+Js|+Ks}+Ls+Ms+Ns+Os+Ps+Qs+Rs+Ss+Ts+Us+Vs+Ws+Xs+Ys+Zs+[s+\s+]s+^s+_s+`s+as+bs+cs+ds+es+fs+gs+hs+is+js+ks+ls+ms+ns+os+ps+qs+rs+ss+ts+us+vs+ws+xs+ys+zs+{s+|s+}s+~s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+s+^+_+`+a+b+c+d+e+f+g+h+i+j+k+l+m+n+o+p+q+r+s+t+u+v+w+x+y+z+{+|+}+~+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++,@s,As,Bs,Cs,Ds,Es,Fs,Gs,Ht ,It,Jt,Kt,Lt,Mt,Nt,Ot,Pt
,Qt,Rt,St,Tt,Ut,Vt,Wt,Xt,Yt,Zt,[t,\t,]t,^t,_t ,`t!,at#,bt$,ct',dt),et+,ft-,gt/,ht1,it2,jt7,kt8,lt9,mt:,nt;,ot=,pt>,qt?,rt@,stB,ttC,utD,vtE,wtF,xtG,ytH,ztI,{tJ,|tK,}tL,~tM,tN,tO,tP,tQ,tR,tS,tT,tV,tX,t],t`,ta,tb,tc,td,te,tf,tg,th,ti,tj,tk,tl,tn,to,tq,tr,ts,tt,tu,tx,ty,tz,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,, ,,,,,,,,,	,
,,,
,,,,,,,,,,,,-@t{-At|-Bt}-Ct-Dt-Et-Ft-Gt-Ht-It-Jt-Kt-Lt-Mt-Nt-Ot-Pt-Qt-Rt-St-Tt-Ut-Vt-Wt-Xt-Yt-Zt-[t-\t-]t-^t-_t-`t-at-bt-ct-dt-et-ft-gt-ht-it-jt-kt-lt-mt-nt-ot-pt-qt-rt-st-tt-ut-vt-wt-xt-yt-zt-{t-|t-}t-~t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t-t------- -!-"-#-$-%-&-'-(-)-*-+-,---.-/-0-1-2-3-4-5-6-7-8-9-:-;-<-=->-?-@-A-B-C-D-E-F-G-H-I-J-K-L-M-N-O-P-Q-R-S-T-U-V-W-X-Y-Z-[-\-]-^-_-`-a-b-c-d-e-f-g-h-i-j-k-l-m-n-o-p-q-r-s-t-u-v-w.@t.At.Bt.Ct.Dt.Et.Ft.Gt.Ht.Iu .Ju.Ku.Lu.Mu.Nu.Ou.Pu.Qu	.Ru
.Su.Tu.Uu.Vu.Wu.Xu.Yu.Zu.[u.\u.]u.^u._u .`u!.au".bu#.cu$.du&.eu'.fu*.gu..hu4.iu6.ju9.ku<.lu=.mu?.nuA.ouB.puC.quD.ruF.suG.tuI.uuJ.vuM.wuP.xuQ.yuR.zuS.{uU.|uV.}uW.~uX.u].u^.u_.u`.ua.ub.uc.ud.ug.uh.ui.uk.ul.um.un.uo.up.uq.us.uu.uv.uw.uz.u{.u|.u}.u~.u.u.u.u.u.u.x.y.z.{.|.}.~......................................................................................./@u/Au/Bu/Cu/Du/Eu/Fu/Gu/Hu/Iu/Ju/Ku/Lu/Mu/Nu/Ou/Pu/Qu/Ru/Su/Tu/Uu/Vu/Wu/Xu/Yu/Zu/[u/\u/]u/^u/_u/`u/au/bu/cu/du/eu/fu/gu/hu/iu/ju/ku/lu/mu/nu/ou/pu/qu/ru/su/tu/uu/vu/wu/xu/yu/zu/{v/|v/}v/~v/v/v	/v/v
/v/v/v/v/v/v/v/v/v/v/v/v!/v#/v'/v(/v,/v./v//v1/v2/v6/v7/v9/v:/v;/v=/vA/vB/vD/////////////////////////////////////////// /////////	/
///
/////////////////// /!/"/#/$/%/&/'/(/)/*/+/,/-/.///0/1/2/30@vE0AvF0BvG0CvH0DvI0EvJ0FvK0GvN0HvO0IvP0JvQ0KvR0LvS0MvU0NvW0OvX0PvY0QvZ0Rv[0Sv]0Tv_0Uv`0Vva0Wvb0Xvd0Yve0Zvf0[vg0\vh0]vi0^vj0_vl0`vm0avn0bvp0cvq0dvr0evs0fvt0gvu0hvv0ivw0jvy0kvz0lv|0mv0nv0ov0pv0qv0rv0sv0tv0uv0vv0wv0xv0yv0zv0{v0|v0}v0~v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0v0UJ0?0W0c(0T0U	0T0v0vL0<0w0~0x0r1000l(0[0O0c	0f0\00hH00f0v0Q0eV0q000P0Ye0a0o0ł0cL0bR0S0T'0{0Qk0u0]0b0ύ0Зv0b0Ҁ0W]0ԗ80b0r80v}0g0v~0dF0Op0܍%0b0z0e0s0d,0bs0,0䘁0g0rH0bn0b0O40t0SJ0R0~00^.0h0i00~0h0x00Q0P0$000S00Re1@v1Av1Bv1Cv1Dv1Ev1Fv1Gv1Hv1Iv1Jv1Kv1Lv1Mv1Nv1Ov1Pv1Qv1Rv1Sv1Tv1Uv1Vv1Wv1Xv1Yv1Zv1[v1\v1]v1^v1_v1`v1av1bw 1cw1dw1ew1fw1gw
1hw1iw1jw1kw1lw1mw1nw1ow1pw1qw1rw1sw1tw1uw1vw1ww1xw!1yw#1zw$1{w%1|w'1}w*1~w+1w,1w.1w01w11w21w31w41w91w;1w=1w>1w?1wB1wD1wE1wF1wH1wI1wJ1wK1wL1wM1wN1wO1wR1wS1wT1wU1wV1wW1wX1wY1w\111O1X!1q1[1b1b1f1y11r1go1x1`1SQ1S11111P
1r1Y1`1q11YT11g,1{(1])1~1u-1l1Ďf1ŏ1Ɛ<1ǟ;1k1ɑ1{1_|1x1̈́1΅=1k1k1k1^1^1u1Օ1e]1_
1_1ُ1X1ہ1ܐ1ݖ[1ޗ1ߏ11,1bA1O1S1S^1揨1珩1菫1M1h1_j1쁘1h11a1R+1v*1_l1e1o1n1[1dH1Qu1Q1g1N1y1|1p2@w]2Aw^2Bw_2Cw`2Dwd2Ewg2Fwi2Gwj2Hwm2Iwn2Jwo2Kwp2Lwq2Mwr2Nws2Owt2Pwu2Qwv2Rww2Swx2Twz2Uw{2Vw|2Ww2Xw2Yw2Zw2[w2\w2]w2^w2_w2`w2aw2bw2cw2dw2ew2fw2gw2hw2iw2jw2kw2lw2mw2nw2ow2pw2qw2rw2sw2tw2uw2vw2ww2xw2yw2zw2{w2|w2}w2~w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2w2u2^v2s22d2b22l2SZ2R2d22{2O/2^26222n$2l2s2cU2S\2T2e2W2N
2^2ke2|?22`2d2s2È2gP2bM2ƍ"2wl2Ȏ)2ɑ2_i2˃2̅!2͙2S2φ2k2`2`2p2Ԃ2Ղ12N2l2؅2d2|2i2f2݃I2S2{V2O2Q2mK2\B2m2c2S2,262g2x2d=2[2\2]22b2g2z2d 2c2I222 22N222f2s3@w3Aw3Bw3Cw3Dw3Ew3Fw3Gw3Hw3Iw3Jw3Kw3Lw3Mw3Nx3Ox3Px3Qx3Rx3Sx3Tx
3Ux3Vx3Wx3Xx3Yx3Zx3[x3\x3]x3^x 3_x!3`x"3ax$3bx(3cx*3dx+3ex.3fx/3gx13hx23ix33jx53kx63lx=3mx?3nxA3oxB3pxC3qxD3rxF3sxH3txI3uxJ3vxK3wxM3xxO3yxQ3zxS3{xT3|xX3}xY3~xZ3x[3x\3x^3x_3x`3xa3xb3xc3xd3xe3xf3xg3xh3xi3xo3xp3xq3xr3xs3xt3xu3xv3xx3xy3xz3x{3x}3x~3x3x3x3x3x3W:3\3^833P33S3e^3uE3U13P!33b33g3V23on3]3T53p3f3bo3d3c3_{3o3333\3fh3_3l3H3Í3Ĉl3d3y3W3jY3b3TH3NX3z3`3o3ϋ3b3ѐ3Қ3y3T3u3c3S3l`3ُ3_3ۚp3܀;3ݟ3O3\:3d33e3p3QE3Q3k3]3[3b3l3ut33z 3a3{y3N3~3w3N33R3Q3jq3S3333n3d3iZ4@x4Ax4Bx4Cx4Dx4Ex4Fx4Gx4Hx4Ix4Jx4Kx4Lx4Mx4Nx4Ox4Px4Qx4Rx4Sx4Tx4Ux4Vx4Wx4Xx4Yx4Zx4[x4\x4]x4^x4_x4`x4ax4bx4cx4dx4ex4fx4gx4hx4ix4jx4kx4lx4mx4nx4ox4px4qx4rx4sx4tx4ux4vx4wx4xx4yx4zx4{x4|x4}x4~x4x4x4x4x4x4x4x4x4x4x4x4x4x4x4x4x4x4x4x4x4x4x4y 4y4y4y4y4y4y4y	4y
4y4y4x@4P4w4d44Y4c4]4z4i=4O 494U4N24u4z4^b4^44R4T94p4cv4$4W4f%4i?44U4m4~4"4b34~4u4ă(4x4Ɩ4Ǐ4aH4t4ʋ4kd4R:4͍P4k!4πj4Єq4V4S4N4N4Q4|4ב4|4O4ڎ4{4z4dg4]4P44v4|4m44gQ4[X4[4x4d4d4c4c+44d-44{T4v)4bS4Y'4TF4ky4P4b44^&4k4N4744_4.5@y
5Ay5By5Cy5Dy5Ey5Fy5Gy5Hy5Iy5Jy5Ky5Ly5My5Ny5Oy5Py5Qy 5Ry!5Sy"5Ty#5Uy%5Vy&5Wy'5Xy(5Yy)5Zy*5[y+5\y,5]y-5^y.5_y/5`y05ay15by25cy35dy55ey65fy75gy85hy95iy=5jy?5kyB5lyC5myD5nyE5oyG5pyJ5qyK5ryL5syM5tyN5uyO5vyP5wyQ5xyR5yyT5zyU5{yX5|yY5}ya5~yc5yd5yf5yi5yj5yk5yl5yn5yp5yq5yr5ys5yt5yu5yv5yy5y{5y|5y}5y~5y5y5y5y5y5y5y5y5y5y5y5y5y5y5` 5=5b5N95SU55c55e5l.5OF5`5m55_955_S5c!5QZ5a5hc5R 5cc5H5P5\5yw5[5R05z;5`5S5v5_5_5v5Ŏl5po5v{5{I5w5Q5ː5X$5ON5n5Ϗ5eL5{5r5m55Z5b5^5W05ل5{,5^5_5ݐ55ߘ5c5n5x5p5Qx5[5W5u55OC5u85^5`5Y`5m5k5x5S55Q5R5c5T
5555r95x5v55
5S6@y6Ay6By6Cy6Dy6Ey6Fy6Gy6Hy6Iy6Jy6Ky6Ly6My6Ny6Oy6Py6Qy6Ry6Sy6Ty6Uy6Vy6Wy6Xy6Yy6Zy6[y6\y6]y6^y6_y6`y6ay6by6cy6dy6ey6fy6gy6hy6iy6jy6ky6ly6my6ny6oy6py6qy6ry6sy6ty6uy6vy6wy6xy6yy6zy6{y6|y6}y6~y6y6y6y6y6y6y6y6y6y6y6y6y6y6y6z6z6z6z6z6z	6z
6z6z6z6z6z6z6z6z6z6z6z6z6N6v6S66v66-6[66N"6N6Q6c6a6R6h6O6`k6Q6m6Q\6b6e6a6F66u66wc6k6r6r66X56wy6čL6g\6ƕ@6ǀ6^6n!6Y6z6w6͕;6k6e66X6QQ6Ӗ6[6X6T(6׎r6ef6٘6V6۔6v6ݐA6c6T6Y6Y:6W6㎲6g56656RA6`6X66\6E6O666Z%6`v6S6b|6O666`i66Q?636\6u6m16N7@z7Az7Bz!7Cz"7Dz$7Ez%7Fz&7Gz'7Hz(7Iz)7Jz*7Kz+7Lz,7Mz-7Nz.7Oz/7Pz07Qz17Rz27Sz47Tz57Uz67Vz87Wz:7Xz>7Yz@7ZzA7[zB7\zC7]zD7^zE7_zG7`zH7azI7bzJ7czK7dzL7ezM7fzN7gzO7hzP7izR7jzS7kzT7lzU7mzV7nzX7ozY7pzZ7qz[7rz\7sz]7tz^7uz_7vz`7wza7xzb7yzc7zzd7{ze7|zf7}zg7~zh7zi7zj7zk7zl7zm7zn7zo7zq7zr7zs7zu7z{7z|7z}7z~7z7z7z7z7z7z7z7z7z7z7z7z7z7z7z7z7z7z707S7Z7{O7O7NO7 7l7s77^7uj77j
7w77~A7Q7p7S777)7r7m7l7WJ77e77b?727Y7N7Ë7~7e>7ƃ7Ǘ^7Ua7ɘ7ʀ7S*7̋7T 7΀7^7l7э97҂7ӑZ7T)7l7R7~7W_7q7l~7|7YK7N7_7a$7|7N07\7g77\777u7p7"7Q77틽7YI7Q7O[7T&7Y+7ew77[u7bv7b77^E7l7{&7O7O7g
8@z8Az8Bz8Cz8Dz8Ez8Fz8Gz8Hz8Iz8Jz8Kz8Lz8Mz8Nz8Oz8Pz8Qz8Rz8Sz8Tz8Uz8Vz8Wz8Xz8Yz8Zz8[z8\z8]z8^z8_z8`z8az8bz8cz8dz8ez8fz8gz8hz8iz8jz8kz8lz8mz8nz8oz8pz8qz8rz8sz8tz8uz8vz8wz8xz8yz8zz8{z8|z8}z8~z8z8z8z8z8z8z8z8z8{ 8{8{8{8{8{	8{8{
8{8{8{8{8{8{8{8{8{8{8{8{!8{"8{#8{'8{)8{-8mn8m8y88_8u+8b88O88e8/8Q8^8P8t8Ro88K8Y
8P8N88r68y88[88D8Y88T8Vv8V8Ë8e98i8Ɣ8v8n8^r8u8gF8g8z8΀8ύv8a8y8eb8Ӎc8Q8R8֔888؀8~8\8n/8g`8{8v8ߚ888|8d8P8z?8TJ8T8kL8d8b8=88u8Rr8i8[8h<88888N*8T8~8h9888f8^89@{/9A{09B{29C{49D{59E{69F{79G{99H{;9I{=9J{?9K{@9L{A9M{B9N{C9O{D9P{F9Q{H9R{J9S{M9T{N9U{S9V{U9W{W9X{Y9Y{\9Z{^9[{_9\{a9]{c9^{d9_{e9`{f9a{g9b{h9c{i9d{j9e{k9f{l9g{m9h{o9i{p9j{s9k{t9l{v9m{x9n{z9o{|9p{}9q{9r{9s{9t{9u{9v{9w{9x{9y{9z{9{{9|{9}{9~{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9{9W9?9h9]9e;9R9`m99O99Ql9[9_9]9l^9b9!9Qq99R9l99r9W9g9-9Y999T9{9O09l9[d9Y9ğ9S9Ɔ9ǚ9Ȍ79ɀ9eE9˘~9V9͖9R.9t9RP9[9c9Ӊ9NV9b9`*9h9Qs9[9Q9ۉ9{9ݙ9P9`9pL9/9QI9^99tp99W-9xE9_R9꟟99h9<99vx9hB9g9959R=99n9h999V9g999T:@{:A{:B{:C{:D{:E{:F{:G{:H{:I{:J{:K{:L{:M{:N{:O{:P{:Q{:R{:S{:T{:U{:V{:W{:X{:Y{:Z{:[{:\{:]{:^{:_{:`{:a{:b{:c{:d{:e{:f{:g{:h{:i{:j| :k|:l|:m|:n|:o|:p|:q|:r|	:s|
:t|
:u|:v|:w|:x|:y|:z|:{|:||:}|:~|:|:|:|:|:|:| :|!:|":|#:|$:|%:|(:|):|+:|,:|-:|.:|/:|0:|1:|2:|3:|4:|5:|6:|7:|9:|::|;:|<:|=:|>:|B::[i:mw:l&:N:[::c:a:::T+:m:[:Q:U:U::d:cM:e:a:`:q
:lW:lI:Y/:gm:*:X:V:j:k::Y}:Ā:S:mi:Tu:U:Ƀw:ʃ:h8:y:T:OU:T:v:ь:Җ:l:m:Սk:։:מd:؍::V?:ڞ:u:_:r:`h:T:N:j*:a:`R:p:T:p:y:?:m*:[:_:~:U:O:s4:T<:S:P:T:T|:NN:_:tZ:X:k::t:r:|:nV;@|C;A|D;B|E;C|F;D|G;E|H;F|I;G|J;H|K;I|L;J|N;K|O;L|P;M|Q;N|R;O|S;P|T;Q|U;R|V;S|W;T|X;U|Y;V|Z;W|[;X|\;Y|];Z|^;[|_;\|`;]|a;^|b;_|c;`|d;a|e;b|f;c|g;d|h;e|i;f|j;g|k;h|l;i|m;j|n;k|o;l|p;m|q;n|r;o|u;p|v;q|w;r|x;s|y;t|z;u|~;v|;w|;x|;y|;z|;{|;||;}|;~|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;|;_';N;U,;b;N;l;b7;;T;SN;s>;n;u;;R;S;;i;_;` ;m;WO;k";s;hS;;;cb;`;U$;u;b;q;m;[;^{;ăR;aL;ƞ;x;ȇW;|';v;Q;`;qL;fC;^L;`M;ь;pp;c%;ԏ;_;`b;׆;V;k;`;ag;SI;`;ff;ߍ?;y;O;p;lG;䋳;;~;d;f;ZZ;B;mQ;m;A;m;;O;pk;;b;`;
;';yx;Q;W>;W;g:;ux;z=;y;{<@|<A|<B|<C|<D|<E|<F|<G|<H|<I|<J|<K|<L|<M|<N|<O|<P|<Q|<R|<S|<T|<U|<V|<W|<X|<Y|<Z|<[|<\|<]|<^|<_|<`|<a|<b|<c|<d|<e|<f|<g|<h|<i|<j|<k|<l|<m|<n|<o} <p}<q}<r}<s}<t}<u}<v}<w}<x}	<y}<z}<{}
<|}<}}<~}<}<}<}<}<}<}<}<}<}<}<}<}<}<}<}<}!<}#<}$<}%<}&<}(<})<}*<},<}-<}.<}0<}1<}2<}3<}4<}5<}6<<e<<o<<!<Y<~<	<T	<g<h<<|M<<S<`%<u<lr<Ss<Z<~<c$<Q<
<]<<b<Q<[c<O<ym<RB<`<mN<[<[<Ƌ<ǋ<e<_<ʖE<Y<~<~<V	<g<Y9<Os<[<R<ԃZ<՘<֍><u2<ؔ<PG<z<<N<g<ݚ~<Z<k|<v<WZ<\<{:<<qN<Q|<瀩<p<Yx<<'<h<g<x<xw<b<ca<{<O<Rj<Q<P<i<t<<1<<.<{<N=@}7=A}8=B}9=C}:=D};=E}<=F}==G}>=H}?=I}@=J}A=K}B=L}C=M}D=N}E=O}F=P}G=Q}H=R}I=S}J=T}K=U}L=V}M=W}N=X}O=Y}P=Z}Q=[}R=\}S=]}T=^}U=_}V=`}W=a}X=b}Y=c}Z=d}[=e}\=f}]=g}^=h}_=i}`=j}a=k}b=l}c=m}d=n}e=o}f=p}g=q}h=r}i=s}j=t}k=u}l=v}m=w}o=x}p=y}q=z}r={}s=|}t=}}u=~}v=}x=}y=}z=}{=}|=}}=}~=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=}=Pe=0=RQ=o=n=n=m=^=P=Y=\=mF=l_=u==hh=YV==S =q=M=I=i=y=q&==N==mG==Z=V=d==w=O=Ł=r=ǉ=șz=4=~=R=eY=͑u=Ώ=Ϗ=S=z=c=c=v=y=ֈW=ז6=b*=R=ڂ=hT=gp=cw=wk=z=m=~==Y=b==悥=uL=P=N=u==\J=]={K=e==N=m%=_=}'=&=N=(==s=fK=y==p=mx>@}>A}>B}>C}>D}>E}>F}>G}>H}>I}>J}>K}>L}>M}>N}>O}>P}>Q}>R}>S}>T}>U}>V}>W}>X}>Y}>Z}>[}>\}>]}>^}>_}>`}>a}>b}>c}>d}>e}>f}>g}>h}>i}>j}>k}>l}>m}>n}>o}>p}>q}>r}>s}>t}>u}>v}>w}>x}>y}>z}>{}>|}>}}>~}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>}>\=>R>F>Qb>>w[>fv>>N>`>|>|>~>N>f>fo>>Y>X>el>\>_>u>V>z>z>Q>p>z>c>zv>~>s>>NE>px>N]>ƑR>S>eQ>e>ʁ>˂>T>\1>u>ϗ>b>r>u>\E>Ԛy>Ճ>\@>T>w>N>>l>ۀZ>b>cn>]>Qw>>>/>O>S>`>p>Rg>cP>C>Z>P&>w7>Sw>~>d>e+>b>c>P>r5>>Q>>~>WG>>>Q>T>\?@}?A}?B}?C}?D}?E~ ?F~?G~?H~?I~?J~?K~?L~?M~?N~	?O~
?P~?Q~?R~
?S~?T~?U~?V~?W~?X~?Y~?Z~?[~?\~?]~?^~?_~?`~?a~?b~?c~?d~?e~ ?f~!?g~"?h~#?i~$?j~%?k~&?l~'?m~(?n~)?o~*?p~+?q~,?r~-?s~.?t~/?u~0?v~1?w~2?x~3?y~4?z~5?{~6?|~7?}~8?~~9?~:?~<?~=?~>?~??~@?~B?~C?~D?~E?~F?~H?~I?~J?~K?~L?~M?~N?~O?~P?~Q?~R?~S?~T?~U?~V?~W?~X?~Y?~Z?~[?~\?~]?O?z?mZ???U?T?Sa?T?_ ?c?iw?Q?ah?R
?X*?R?WN?x
?w?^?aw?|?b[?b?N?p??b?p?`?Ww??g?h?x?Ř?y?X?T?S?n4?QK?R;?[?΋?π?UC?W?`s?WQ?T-?zz?`P?[T?c?b?S?bc?[?g?T?z??w?^??Y8?W?c???WW?{w?O?_?[?k>?S!?{P?r?hF?w?w6?e?Q?N?v?\?z?u?YN?A?P@@~^@A~_@B~`@C~a@D~b@E~c@F~d@G~e@H~f@I~g@J~h@K~i@L~j@M~k@N~l@O~m@P~n@Q~o@R~p@S~q@T~r@U~s@V~t@W~u@X~v@Y~w@Z~x@[~y@\~z@]~{@^~|@_~}@`~~@a~@b~@c~@d~@e~@f~@g~@h~@i~@j~@k~@l~@m~@n~@o~@p~@q~@r~@s~@t~@u~@v~@w~@x~@y~@z~@{~@|~@}~@~~@~@~@~@~@~@~@~@~@
@@@7@9@;@<@=@>@?@@@A@C@F@G@H@I@J@K@L@M@N@O@R@S@@a'@n@Wd@f@cF@V@b@bi@^@@W@b@U@!@J@@Uf@@ge@V@@Zj@h@b@{@@Qp@o@0@c@@a@@p@n@t@i@r@^@ɐ@g@mj@c^@R@rb@π@Ol@Y@ґj@p@m@R@NP@ז@ؕm@م~@x@}/@Q!@W@d@߀@|{@l@h@i^@Q@S@h@r@@{@r@y@o@t@gN@@@y<@@T@T@h@N=@S@R@x>@S@R)@P@O@OA@VAAYAB[AC\AD]AE^AF`AGcAHdAIeAJfAKgALkAMlANmAOoAPpAQsARuASvATwAUxAVzAW{AX|AY}AZA[A\A]A^A_A`AaAbAcAdAeAfAgAhAiAjAkAlAmAnAoApAqArAsAtAuAvAwAxAyAzA{A|A}A~AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAuAzA|AlAARAtATAOATAAApA^A`AmA^Ae[A8AA`KApA~A|AQAhA|AoAN$AAAf~ANAAdAĀJAPAuAqA[AɏAofANAdA͕cA^AeARAшApARAsAt3AgAxAؗAN4AڐAۜAmAQAލAATAbAsAAA䟄AAO6AAQApuAuA\A옆ASANAnAt	AiAxkAAuYARAv$AmAAgAQmAAKATA{<AzB@BABBBCBDBEBFBGBHBIBJBKBLBMBNBOBPBQBRBSBTBUBV	BW
BXBYBZB[B\B]B^B_B`Ba!Bb#Bc$Bd+Be,Bf-Bg.Bh/Bi0Bj2Bk4Bl9Bm:Bn<Bo>Bp@BqABrDBsEBtGBuHBvIBwNBxOByPBzQB{SB|UB}VB~WBYB[B\B]B^B_B`BaBbBcBdBeBfBgBhBkBlBmBnBoBpBrBsBtBuBvBwBxByBzB{B|B}BBWBbBGBi|BZBdB{BoBKBBSbBB^BpBcBSdBOBBBxB2BBBBBo^ByB_UBFBb.BtBTBBOBeB\eB\aBBǆQBl/B_BsBnB~B\BcB[jBnBSuBNqBcBueBbB֏nBO&BNBlB~BۋB܄B݇BWBߐ;B#B{B⚡BB=BmB暆B~BYB鞻BsBxB솂BlBBVBTBWBNpBBSVBB	BwBBBnBBfBabBo+C@~CACBCCCDCECFCGCHCICJCKCLCMCNCOCPCQCRCSCTCUCVCWCXCYCZC[C\C]C^C_C`CaCbCcCdCeCfCgChCiCjCkClCmCnCoCpCqCrCsCtCuCvCw CxCyCzC{C|C}C~CCCCCCCCC C!C"C#C$C%C&C'C(C)C*C+C-C.C0C3C4C5C7C9C:C;C<C=C?C)CC+CvClC_CCs+CCCkCwCCSoCCQC^=CC8CNHCsCgChCvC	CqdClCw	CZCACkCCf'C[CYCZCŕCƕCNCȄCɄCjCvC̕0CsChC[_Cw/CёCҗaC|CԏCՌC_%C|sCyCىClCۇC[C^BChCw C~CQCQMCRCZ)CCbCCcCwCCyCn:C^CYCCpmClCbCvCeOC`CCfCC#CCT
CT}C,CdxD@@DAADBBDCCDDDDEEDFGDGIDHMDINDJODKRDLVDMWDNXDO[DP\DQ]DR^DS_DTaDUbDVcDWdDXfDYhDZjD[kD\lD]oD^rD_sD`uDavDbwDcxDdDeDfDgDhDiDjDkDlDmDnDoDpDqDrDsDtDuDvDwDxDyDzD{D|D}D~DDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDdyDDj!DDxDdiDTDbDg+DDXDDlDo D[DLDDr_DgDbDraDNDYDkDXDfD^UDRDaUDg(DvDwfDrgDzFDbDTDTPDƔDǐDZD~DlDNCDYvD̀DYHDSWDu7DіDVDc DԁD`|D֕DmDTbDٙDQDZD܀DYDޗDP*DlD\<DbDO`DS?D{DDnD+DbD^tDxDdDc{D_DZDDD\?DcODBD[}DUnDJDMDmD`DgDrDQD[E@EAEBECEDEEEFEGEHEIEJEKELEMENEOEPEQERESETEUEVEWEXEYEZE[E\E]E^E_E`EaEbEcEdEe	Ef
EgEhEiEjEkElEmEnEoEpEqErEs Et$Eu%Ev&Ew'Ex)Ey.Ez2E{:E|<E}=E~?E@EAEBECEEEFEHEJELEMENEPEQERESETEUEVEWEYE[E\E]E^E`EaEbEcEdEeEfEgEiEbElEr[EbmEE~EEmSEQE_EYtERE`EYsEfEPEuEc*EaE|EETEk'E%EkEETUEPvElEUjEEr,E^E`Et6EbEcErLE_EnCEm>Ee EoXEvExEvEuTER$ESENSE^EeEՀ*EրEbETER(EpEۈE܍ElETxE߀EWEETEjEMEOiElEUEvEx0EbEpEoE_mEEhEx|E{EEgEOEcgExEWoExE9EbyEbEREt5EkF@jFAkFBlFCmFDqFEuFFvFGwFHxFI{FJ|FKFLFMFNFOFPFQFRFSFTFUFVFWFXFYFZF[F\F]F^F_F`FaFbFcFdFeFfFgFhFiFjFkFlFmFnFoFpFqFrFsFtFuFvFwFxFyFzF{F|F}F~FFFFFF F
FF
FFFFFFFFFF F!F"F#F$F%F&F)F*F.F0F2F7F;F=FUdF>FuFvFS9FuFPF\AFlF{FPOFrGFFFoFtFyhFdFwFbFF+FTFXFNRFWjFF
F^sFQFtFF\OFWaFlFĘFZFFx4FǛDFȏF|FRVFbQF̔FNF΃FτaFЃFфFWFg4FWFfnFmfF׌1FfFpFgFk:FhFbFYFNFQFoFgFlFQvFhFYGFkgFufF]FFPFeFyHFyAFFwF\FN^FOFT/FYQFxFVhFlFF_Fl}FlFFcG@>GA?GBAGCBGDDGEEGFHGGJGHKGILGJMGKNGLSGMUGNVGOWGPXGQYGR]GSbGTpGUqGVrGWsGXtGYuGZvG[yG\zG]~G^G_G`GaGbGcGdGeGfGgGhGiGjGkGlGmGnGoGpGqGrGsGtGuGvGwGxGyGzG{G|G}G~GGGGGGGGGGGGGGGGGGGGGGGGGGGGGGGGGG`pGm=GruGbfGGGSCGG{~GNG&GN~GGGGRMGo\GcGmEG4GXG]LGk GkIGgGT[GTGGXG7G_:GbGjGG9GerG`GheGwGNTGOG]GʗGdGG\GOGzGRGуGNG`/GzGՔGOGNGyGt4GRGۂGdGyG[GlGRG{Gl"GP>GSGnGdGftGl0G`GwGG^Gt<GzwGyGNGGtGlBGVGKGlGGS:GGfGG\HGqGn H@HAHBHCHDHEHFHGHHHIHJHKHL HMHNHOHPHQ	HR
HSHTHUHVHWHXHYHZH[H\H]H^H_ H`!Ha"Hb#Hc)Hd*He+Hf,Hg-Hh.Hi/Hj0Hk2Hl3Hm4Hn5Ho6Hp7Hq9Hr:Hs;Ht>Hu?Hv@HwAHxBHyCHzDH{EH|GH}HH~IHJHKHLHMHNHOHPHRHSHTHUHVHXH]H^H_H`HbHdHeHfHgHhHjHnHoHpHrHtHwHyH{H|HSHZ6HHHSHWHHgCHHlHQhHuHbHrHR8HRH:HpHv8HStHJHiHxnHHHHq6HqHQHgHtHXHeHVHËHęvHbpH~H`HpHXHNHNH_H͗HNHϋHRHYH~HbTHNHeHbH׃8H؄HكcHڇHqHnH[H~HQHcHgH H9HHQH[zHYH菱HNsHl]HQeH%HoH.HJHt^HHHmHH_1HdHmH(HnHHX^H[HN	HSI@}IA~IBICIDIEIFIGIHIIIJIKILIMINIOIPIQIRISITIUIVIWIXIYIZI[I\I]I^I_I`IaIbIcIdIeIfIgIhIiIjIkIlImInIoIpIqIrIsItIuIvIwIxIyIzI{I|I}I~IIIIIIIIIIIIIIIIIIIIIIIIIIIIIII IIIOIecIhQIUIN'IdIIbkIZIt_IrImIhIPIIxIg@IR9IlI~IPIUeIq^I{[IfRIsIIgII\qIR Iq}IkIIUIdIčaIŁIUIlUIbGI.IXIO$IUFI͍OIfLIN
I\IшIhIcNIz
IpIւIRIؗI\ITIېI~IYbIލJI߆II
IfIdDI\IaQImIy>I苾Ix7Iu3IT{IO8I펫ImIZ I~Iy^IlI[IZvIuIIaNInIXIuIu%IrrISGI~J@JAJBJCJDJEJF	JG
JHJI
JJJKJLJMJNJOJPJQJRJSJTJUJVJW JX"JY#JZ$J[%J\&J]'J^(J_)J`*Ja-Jb.Jc/Jd0Je1Jf2Jg3Jh4Ji5Jj6Jk>Jl?Jm@JnAJoBJpDJqEJrFJsGJtKJuLJvMJwNJxOJyPJzQJ{RJ|SJ}TJ~UJWJXJZJ[J\J]J_J`JaJbJcJeJfJgJiJjJkJlJmJnJoJpJqJsJuJvJwJxJ|J}JJJJwJvJRiJJW#J^JY1JrJeJnJJ\8JqJSAJwJbJeJNJJJ[JJSJwJOJ\NJvJYJ_Jy:JXJNJgJNJbJĊJŐJRJf/JUJVlJʐJNJOJ͑JΙpJlJ^J`CJ[JӉJԋJe6JbKJיJ[J[JcJU.JSJv&JQ}J߅,JgJhJkJbJ䏓JSJJmJuJNfJNJ[pJqJ텯JfJfJrJ JJ J\^Jg/JJhJg_Jb
JzJXJ^JepJo1K@KAKBKCKDKEKFKGKHKIKJKKKLKMKNKOKPKQKRKSKTKUKVKWKXKYKZK[K\K]K^K_K`KaKbKcKdKeKfKgKhKiKjKkKlKmKnKoKpKqKrKsKtKuKvKwKxKyKzK{K|K}K~KKKKKKKKKKKKKKKKKKKKKKKKKKKKKKKKKK`UKR7K
KdTKpKu)K^KhKbKKSKr=KKl4KwaKzKT.KwKzKKKxUKgKpKeKdKV6K`KyKSKNKk{KK[KUKVKO:KO<KǙrK]Kg~Kʀ8K`K̘K͐K[KϋKЋKdK҂XKdKUKՂK֑eKOK} KِK|KPKXQKnK[KߋKKxKℜK{K}K喋K斏K~KKxK\KzWKBK햧Ky_K[YKc_K{KKhKUK)KtK}"KKb@KXLKNK[KYyKXTL@LALBLCLDLE LFLGLHLILJLKLLLM	LN
LOLPLQ
LRLSLTLULVLWLXLYLZL[L\L]L^L_L`LaLb Lc!Ld"Le#Lf$Lg%Lh&Li(Lj*Lk+Ll,Lm-Ln.Lo/Lp0Lq1Lr2Ls3Lt4Lu5Lv6Lw7Lx9Ly:Lz;L{=L|>L}?L~@LALBLCLDLELFLGLHLILJLKLLLRLSLULVLWLXLYL[L\L]L_L`LaLcLdLeLfLgLhLiLjLsmLcLKLLLLbLSLlL^LY*L`LlpLWMLdJL*Lv+LnLW[LjLuLomL-LLWfLkLLxLcLSLpLldLXXLd*LXLhLŁLUL|LPLɎLmLˍLpLcLmLnL~LфLhCLӐLmLՖvL֋LYWLryLمLځ~LuL܊LhLRTLߎ"LLcL☘LDLU|LOSLfLVL`LmLRCL\ILY)LmLXkLu0LuL`lLLFLcLgaLLw:LL4LL^LSLT,LpM@mMAoMBpMCrMDsMEtMFuMGvMHwMIxMJMKMLMMMNMOMPMQMRMSMTMUMVMWMXMYMZM[M\M]M^M_M`MaMbMcMdMeMfMgMhMiMjMkMlMmMnMoMpMqMrMsMtMuMvMwMxMyMzM{M|M}M~MMMMMMMMMMMMMMMMMMMMMMMMMMMMMMMMMMl@M^MP\MNM^Mc:MGMMhPMnMwMTMM_dMzMhvMcEM{RM~MuMPwMbMY4MMQMyMzMVM_MMmM\`MWMTMQTMnMMVMcMǘMȁMɇMʉ*Mː MTM\oM΁MbMbXMс1MҞ5MӖ@MԚnM՚|Mi-MYMbMU>McMTM܆Mm<MZMtMMkjMYMLM_/Mn~MsM}MN8MpM[MxMc=MfZMvM`M[MZIMNMUMljMsMNMgMQM_MeMgM_MYMZN@NANBNCND NE$NF&NG'NH(NI*NJ+NK,NL-NM/NN0NO2NP3NQ5NR6NS8NT9NU:NV<NW=NX@NYANZBN[CN\DN]EN^FN_JN`KNaMNbONcPNdQNeRNfTNgUNhVNiXNjZNk[Nl\Nm]Nn^No_NpaNqbNrfNsgNthNuiNvjNwkNxlNymNzoN{qN|rN}sN~uNwNxNyNzNNNNNNNNNNNNNNNNNNNNNNNNNNNNNN]N_NSqNNNhENVNU/N`NN:NoMN~NNNYNONO*N\>N~Ng*NNTsNuONNUNONOMNn-NN\	NapNSkNvNn)NÆNeNŕN~NT;Nz3N}
NʕNUNNtNcNχNmNzNbNeNSgNcNlN]NT\NٔNNLNlaN܋N\KNeN߂NhNT>NT4NkNkfNNNcBNSHNNO
NONW^Nb
NNfdNriNRNRN`NNfNqNgNNxRNwNfpNV;NT8N!NrzO@OAOBOCODOEOFOGOHOIOJOKOLOMONOOOPOQOROSOTOUOVOWOXOYOZO[O\O]O^O_O`OaObOcOdOeOfOgOhOiOjOkOlOmOnOoOpOqOrOsOtOuOvOwOxOyOzO{O|O}O~OOOOOO OOOOOOOO	OOO
OOOOOOOOOOOOOOO O#Oz O`oO^O`OOYO`OqOpOnOlPOrOjOO^-ON`OZOUOOmO|OObO~OwO~OS#OOOfO\OOOrONOSOYOTOcOǕ(OQHONOʜO~OTO͍$OΈTOς7OЕOmO_&OZOf>OՖiOsOs.OSOفzOڙOO[OݖwOޖPO~OvOSOvO㙙O{ODOnXONaOOyeOO`OTONOyO]OjaOPOTOaO'Ox]OORJOTOVO OmO[OmOfSP@$PA%PB&PC'PD(PE)PF*PG+PH,PI-PJ.PK/PL0PM1PN3PO4PP5PQ6PR7PS8PT:PU;PV=PW>PX?PYAPZBP[CP\FP]GP^HP_IP`JPaKPbNPcOPdPPeQPfRPgSPhUPiVPjXPkZPl[Pm\Pn]Po^Pp_Pq`PrfPsgPtjPumPvoPwqPxsPytPzuP{vP|xP}yP~zP{P|PPPPPPPPPPPPPPPPPPPPPPPPPPPPPPPP\P[]Ph!PPUxP{PeHPiTPNPkGPNPPSOPcPd:PPePPPQPhPSxPPaPlPlP"P\QPPPPk#PPeP_P_POPƈEPfPȁePs)P`PQtPRPWP_bPϐPЈLPёP^xPgOP`'PYPQDPQP؀PSPlyPۖPqPOPOPPg=PUPPyP䈖P~PXPbP PZPVP{P_P틸PPWPSPeP^Pu\P`dP}nPZP~P~PiPUP[P`PePsQ@QAQBQCQDQEQFQGQHQIQJQKQLQMQNQOQPQQQRQSQTQUQVQWQXQYQZQ[Q\Q]Q^Q_Q`QaQbQcQdQeQfQgQhQiQjQkQlQmQnQoQpQqQrQsQtQuQvQw QxQyQzQ{Q|Q}Q~Q	QQQ
QQQQQQQQQQQQQ Q"Q#Q$Q&Q'Q(Q)Q,Q-Q.Q/Q1Q2Q3Q5Q7Q	QvcQw)Q~QtQQ[fQztQQ@QRQqQ_QeQQ[QoQ]QkQl[QQQ
QQSQbQ&Q-QT@QN+QQrYQQ]QÈYQmQŖQTQNQȋQq	QTQ˖	QpQmQvQN%QxQчQ\Q^QԊ Q՘Q֖QpQlQYDQcQw<Q܈MQoQނsQX0QqQSQxQQUQ_fQq0Q[QQ隌QkQY.Q/QyQghQblQOoQuQQmQ3Ql'QNQuQQ{Qh7Qo>QQpQYQtvR@8RA9RB:RC;RD<RE=RF>RG?RH@RIBRJCRKERLFRMGRNHROIRPJRQKRRLRSMRTNRUORVPRWQRXRRYSRZTR[UR\VR]WR^XR_YR`ZRa[Rb\Rc]Rd`ReaRfbRgcRhdRieRjgRkhRliRmjRnkRolRpmRqnRroRspRtqRurRvsRwtRxuRyvRzwR{xR|yR}zR~|R}R~RRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRdGR\'ReRzR#RYRTR RoRR Ri0RVNR6Rr7RRQRN_RuRcRNRSRfRKRYRmRN RXRS;RcRRORO
RcRØRY7RŐWRyRNRȀRuRlR[RYR_]RiRφRPR]RNYRwRNRՂzRbRfRؐR\yRNR_yR܁Rݐ8RހRuRNRRaRkR_RNIRvRnRR鋮R
RR_RRR~R5RkRVRkRR4RYRTRRmR[RnR\9R_RS@SASBSCSDSESFSGSHSISJSKSLSMSNSOSPSQSRSSSTSUSVSWSXSYSZS[S\S]S^S_S`SaSbScSdSeSfSgShSiSjSkSlSmSnSoSpSqSrSsStSuSvSwSxSySzS{S|S}S~SSSSSSSSSSSSS	S
SSS
SSSSSSSSSSSSSSSSSSpSSj1SZtSpS^S(SS$S%SgSGSSbSvS_qSSxlSf STSbSOcSSuS^SS
SSTSlSmSl8S`SRSu(S^}SOS`S_S\$Su1SʐS˔SrSlSn8SϑISg	SSSSSOQSԑSՋSSS^|S؏SmSNSvSiS݆^SaS߂SOYSOS>S|Sa	SnSnS疅SNSZ1SSNS\SyS[SSSsSWSSSTSGSUS\S_SaSk2SrSST@TATB TC!TD"TE#TF$TG%TH&TI'TJ(TK)TL*TM+TN,TO-TP.TQ/TR0TS1TT2TU3TV4TW5TX6TY7TZ8T[9T\:T];T^<T_=T`?Ta@TbATcBTdCTeDTfETgFThGTiITjJTkKTlLTmMTnNToOTpPTqQTrRTsSTtTTuUTvVTwWTxXTyYTzZT{[T|\T}]T~^T_T`TaTbTcTdTeTfTgThTiTjTkTlTmTnToTpTqTrTsTtTuTvTwTxTzT{T|T}T~TTTmtT[TTTkTmT3Tn
TQTQCTWTTSTcTTVTTXTWTs?TnTTTTa?T`(TbTfT~TTTT\T|TgT`TĖTŀTNTǐTS TɖhTQATˏT̅tT͑]TfUTϗT[UTSTx8TgBTh=TTTp~T[T؏}TQTW(TTTeTfTލ^TߍCTTlTmT|TQTTgTeToT醤TꎁTVjT TvTpvTqT#TbTRTlT<T`TXTaTfT`TbNTUTn#Tg-TgU@UAUBUCUDUEUFUGUHUIUJUKULUMUNUOUPUQURUSUTUUUVUWUXUYUZU[U\U]U^U_U`UaUbUcUdUeUfUgUhUiUjUkUlUmUnUoUpUqUrUsUtUuUvUwUxUyUzU{U|U}U~UUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUUw(UhUiUTUNMUpUUdXUeU[UzUP:U[UwUkUyU|UlUvUeUU]-U\UU8UhUS`UbUzUn[U~UjUzU_pUo3U_ UcUmUgVUNU^Uˍ&UNÙUv4UϖUbUf-Ub~UlUԍuUqgUiUQFU؀USUڐnUbUTU݆UޏU߀UUUUmYUsUeUwUuUx'UUU딈UOUgUuUUUc/UGU5UUc#UwAU_UrUNU`UetUbUkcUe?V@VAVBVCVDVEVFVGVHVIVJVKVLVMVNVOVPVQVRVSVTVUVVVWVXVYVZV[V\ V]V^V_V`VaVbVcVd	Ve
VfVgVh
ViVjVkVlVmVnVoVpVqVrVsVtVuVvVwVxVyVzV{ V|!V}"V~#V$V%V'V(V)V*V+V,V-V.V/V0V1V2V3V4V5V6V7V8V9V:V;V<V=V>V?V@VAVBVCVDVEV^'VuVVVVgVe/VT1VVwVVVlAVNKV~VLVvVi
VkVbgVP<VOVW@VcVkbVVSVeV~V_VcVcVVVnV^V\VR6VfzVyVzVʍ(VpVuVnVlVzVN-VvV_VӔVԈwV~VyV׀VؑVNVOVۂVThV]Vm2VߋV|VtV‘V^VTVvV[Vf<V蚤VsVh*VVg1Vs*VVVVzVpVqnVbVwVV1VN;VWVgVRVV.VV{QW@FWAGWBHWCIWDJWEKWFLWGMWHNWIOWJPWKQWLRWMSWNTWOUWPVWQWWRXWSYWTZWU[WV\WW]WX^WY_WZ`W[aW\bW]cW^dW_eW`gWahWbiWcjWdkWemWfnWgoWhpWiqWjrWksWltWmuWnvWowWpxWqyWrzWs{Wt|Wu}Wv~WwWxWyWzW{W|W}W~WWWWWWWWWWWWWWWWWWWWWWWWWWWWWWWW	WWOOWlWy]W{WbWr*WbWNWxWlWdWZW{WhiW^WWYWdWXWrWiW%WWXWW`W WWQWcIWbWSSWhLWt"WWÑLWUDWw@Wp|WmJWQyWTWʍDWYWnWmW[\W}+WNW|}WnW[PWԁWn
W[WWכWhWَ*W[W~W`;W~WސWߍpWYOWcWyW㍳WSRWeWyVWW;W~WꔻW~WV4W푉Wg WjW\
WuWf(W]WOPWgWPZWO\WWPW^WWWWWX@8XA9XB:XC;XD<XE=XF>XG?XH@XIBXJCXKDXLEXMHXNJXOKXPMXQNXROXSPXTQXURXVSXWTXXVXYWXZXX[YX\[X]\X^]X_^X`_Xa`XbcXcdXdeXefXfgXghXhiXilXjmXknXloXmpXnqXorXptXquXrvXswXt{Xu|Xv}Xw~XxXyXzX{X|X}X~XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXNXNXQ@XNX^XSEXNXNXNX2X[lXViXN(XyXN?XSXNGXY-Xr;XSnXlXVXXXkXw~XXN6XNXXN\XNiXNXX[[XUlXVXNXSXSXSXSXSX̗eX͍]XSXSXS&XS.XS>XӍ\XSfXScXRXRXRXR-XR3XR?XR@XRLXR^XRaXR\XᄯXR}XRXRXRXRXQXTXNXNXNXNXNXNXNXNXOXNXO"XOdXNXO%XO'XO	XO+XO^XOgXe8XOZXO]Y@YAYBYCYDYEYFYGYHYIYJYKYLYMYNYOYPYQYRYSYTYUYVYWYXYYYZY[Y\Y]Y^Y_Y`YaYbYcYdYeYfYgYhYiYjYkYlYmYnYoYpYqYrYsYtYuYvYwYxYyYzY{Y|Y}Y~YYYYYYYYYYYYYYYYYYYY YYYYYYYYY	Y
YYY
YO_YOWYO2YO=YOvYOtYOYOYOYOYO~YO{YOYO|YOYOYOYOYOYOYOYOYOYOYOYOYP)YPLYOYP,YPYP.YP-YOYPYPYP%YP(YP~YPCYPUYPHYPNYPlYP{YPYPYPYPYPYQYPYPYPYPYQYQYNYl=YOXYOeYOYߟYlFY|tYQnY]YY噘YQYYYRYS
YYSYQYYYQUYNYQVYNYnYYNYYYyY[4YYYQYQYQYQZ@ZAZBZCZDZEZFZGZHZIZJZKZLZMZNZO ZPQZQRZRWZS_ZTeZUhZViZWjZXlZYnZZoZ[qZ\rZ]xZ^yZ_zZ`{Za|Zb}Zc~ZdZeZfZgZhZiZjZkZlZmZnZoZpZqZrZsZtZuZvZwZxZyZzZ{Z|Z}Z~ZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZQZQZQZQZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZZËZČ ZŌZƌZǌZȌZɌZʌZˌŽZ͌ZΌZόZЌZьZҌZӌZԌ ZՌ!Z֌%Z׌'Z،*Zٌ+Zڌ.Zی/Z܌2Z݌3Zތ5Zߌ6ZSiZSzZZ"Z!Z1Z*Z=Z<ZBZIZTZ_ZgZlZrZtZZZZZZZZZZZZZZ[@[A[B[C[D[E[F[G[H[I[J[K[L[M[N[O[P[Q[R[S[T[U [V[W[X[Y[Z[[[\[][^
[_[`[a[b[c[d[e[f[g[h[i[j[k[l [m![n$[o%[p&[q'[r([s+[t-[u0[v2[w3[x4[y6[z7[{8[|;[}<[~>[?[C[E[F[L[M[N[O[P[S[T[U[V[W[X[Z[[[\[][^[_[`[a[b[c[d[e[g[h[j[k[n[q[[[[[[[[[[[[[[[[[[["[[#[1[/[9[C[F[R
[YB[R[R[R[R[T[R[R[R[S[q[w[^[Q[Q[˛/[S[_[uZ[][WL[W[W[X~[X[X[X[W)[W,[W*[W3[W9[W.[W/[W\[W;[WB[Wi[W[Wk[W[W|[W{[Wh[Wm[Wv[Ws[W[W[W[W[W[W[W[W[W[W[W[W[W[W[W[W[W[W[W[W\@s\Au\Bw\Cx\Dy\Ez\F{\G}\H~\I\J\K\L\M\N\O\P\Q\R\S\T\U\V\W\X\Y\Z\[\\\]\^\_\`\a\b\c\d\e\f\g\h\i\j\k\l\m\n\o\p\q\r\s\t\u\v\w\x\y\z\{\|\}\~\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\X\X
\W\W\X \X\X\XD\X \Xe\Xl\X\X\X\X\\\a\y\}\\\\\\\\\\\\\\\Â\Ă\ł\Ƃ\ǂ\Ȃ\ɂ\ʂ\˂\̂\͂\΂\ς\Ђ\т\҂\ӂ\ԃ	\Ղ\ւ\׃\؃\ق\ڂ\ۂ\܂\݃\ނ\߂\\\\\\\\\Q\[\\\\샒\<\4\1\\^\/\O\G\C\_\@\\`\-\:\3\f\e]@]A]B]C]D]E]F]G]H]I]J]K]L]M]N]O]P]Q]R]S]T]U]V]W]X]Y]Z][ ]\]]]^]_]`]a]b]c]d	]e
]f]g]h
]i]j]k]l]m]n]o]p]q]r]s]t]u]v]w]x]y]z]{ ]|!]}"]~#]$]%]&]'](])]*]+],]-].]/]0]1]2]3]4]5]6]7]8]9]:];]<]=]>]?]@]A]B]C]D]h]]i]l]j]m]n]]x]]]]]]]]|]]]}]]{]]]]]]]]]]X]]]Ã]ă]Ń]Ƅ]Ǆ8]Ȅ]Ʉ]ʃ]˃]̄]̈́]΃]σ]Ѓ]у]҃]ӄ&]ԃ]Ճ]ք\]ׄQ]؄Z]لY]ڄs]ۄ]܄]݄z]ބ]߄x]<]F]i]v]䄌]儎]1]m]]]]]섽]]]]]]]]]]]]]u
]8]]9]]:^@E^AF^BG^CH^DI^EJ^FK^GL^HM^IN^JO^KP^LQ^MR^NS^OT^PU^QV^RW^SX^TY^UZ^V[^W\^X]^Y^^Z_^[`^\a^]b^^c^_d^`e^aj^b^c^d^e^f^g^h^i^j^k^l^m^n^o^p^q^r^s^t^u^v^w^x^y^z^{^|^}^~^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^V^;^^^Y^H^h^d^^^z^w^C^r^{^^^^^y^^^^^^^^^^^'^^)^^<^^^_^Y<^YA^ǀ7^YU^YZ^YX^S^\"^\%^\,^\4^bL^bj^b^b^b^b^b^b^c"^b^c9^cK^cC^c^c^cq^cz^c^c^cm^c^c^ci^c^c^c^c^c^c^c^c^c^dR^c^c^dE^dA^d^d^d ^d^d&^d!^d^^d^dm^d_@_A_B#_C$_D%_E'_F(_G)_H*_I+_J,_K0_L1_M2_N3_O4_P7_Q9_R:_S=_T?_U@_VC_WE_XF_YH_ZI_[J_\K_]L_^N__T_`U_aV_bY_cZ_d\_e]_f^_g__h`_ia_jd_kf_lg_mi_nj_ok_pl_qo_rp_sq_tr_us_vv_ww_xx_yy_zz_{{_||_}~_~__________________________________dz_d_d_d_d_d_d_d_d_d_e	_e%_e._____u___S__S_S_S_S_S_T_T_T_TK_TR_TS_TT_TV_TC_T!_TW_TY_T#_T2_T_T_Tw_Tq_Td_T_T_T_Tv_Tf_T_T_T_T_T_T_T_T_T_T_Tr_T_T_T_T_T_T_T_T_T_T_T_T_T_T_U_T_U _T_U_T_U"_U#_U_U_U'_U*_Ug_U_U_UI_Um_UA_UU_U?_UP_U<`@`A`B`C`D`E`F`G`H`I`J`K`L`M`N`O`P`Q`R`S`T`U`V`W`X`Y`Z`[`\`]`^`_```a`b`c`d`e `f`g`h`i`j`k`l	`m
`n`o`p
`q`r`s`t`u`v`w`x`y`z`{`|`}`~``` `!`$`%`&`'`(`)`*`+`,`-`.`0`2`3`4`5`6`7`8`:`;`<`=`>`?`@`A`B`D`U7`UV`Uu`Uv`Uw`U3`U0`U\`U`U`U`U`U`U`U`U`U~`U`U`U{`U`U`U`U`U`U`U`U`V`U`U`U`U`U`U`U`U`U`U`U`U`U`U`U`U`Ώ`V`V`V`V`V$`V#`U`V `V'`V-`VX`V9`VW`V,`VM`Vb`VY`V\`VL`VT`V`Vd`Vq`Vk`V{`V|`V`V`V`V`V`V`V`V`V`V`V`W`W
`W	`W`^`^`^`^`^1`^;`^<a@EaAGaBHaCQaDSaETaFUaGVaHXaIYaJ[aK\aL_aM`aNfaOgaPhaQkaRmaSsaTzaU{aV|aWaXaYaZa[a\a]a^a_a`aaabacadaeafagahaiajakalamanaoapaqarasatauavawaxayaza{a|a}a~aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa^7a^Da^Ta^[a^^a^aa\a\za\a\a\a\a\a\a\a\a\a\a\a\a\a\a\a\a\a\a\a\a\a\a\a]a]a]'a]&a].a]$a]a]a]a]Xa]>a]4a]=a]la][a]oa]]a]ka]Ka]Ja]ia]ta]a]a]aٌsa]a]a_sa_wa_a_a_a_a_a_a_a_a_a_a_aba_aararararararararararararararararasarasarb@bAbBbCbDbEbFbGbHbIbJbKbLbMbNbObPbQbRbSbTbUbVbWbXbYbZ b[b\b]b^b_b`babbbc	bd
bebfbg
bhbibjbkblbmbnbobpbqbrbsbtbubvbwbxbybz b{!b|"b}#b~$b%b&b'b(b)b*b+b,b-b.b/b0b1b2b3b4b5b6b7b8b9b:b;b<b=b>b?b@bAbBbCbDbEbrbsbsbs!bs
bsbsbsbs"bs9bs%bs,bs8bs1bsPbsMbsWbs`bslbsobs~bbY%bbY$bYbcbgbhbibjbkblbtbÙwbę}břbƙbǙbșbəbʙb˙b̙b͙bΙb^b^b^b^b^b^b^b^b^b^bٍSb^b^b^b^b^b߁b_b_b_b_b`b_b`b_b_b_b`b`b_b_b_b`b`5b`&b`b`b`
b`)b`+b`
b`?b`!b`xb`yb`{b`zb`Bc@FcAGcBHcCIcDJcEKcFLcGMcHNcIOcJPcKQcLRcMScNTcOUcPVcQWcRXcSYcTZcU[cV\cW]cX^cY_cZ`c[ac\bc]cc^dc_ec`fcagcbhccicdjcekcflcgmchnciocjpckqclrcmscnucovcpwcqxcrycszct{cu|cv}cw~cxcyczc{c|c}c~cccccccccccccccccccccccccccccccccc`jc`}c`c`c`c`c`c`c`c`c`c`c`c`c`c`c`c`ca ca&caca#c`ca caca+caJcaucacacacacacac_cĖcŕcƕcǕcȕcɕcʕc˕c̕c͖cΖcϖcЖcі
cҖcӖcԖ
cՖc֖cזcؖcٖcږcۖcN,cr?cbcl5clTcl\clJclclclclclclhclicltclvclclclclclclclclclclclclclclclclclclcld@dAdBdCdDdEdFdGdHdIdJdKdLdMdNdOdPdQdRdSdTdUdVdWdXdYdZd[d\d]d^d_d`dadbdcdddedfdgdhdidjdkdldmdndodpdqdrdsdtdudvdwdxdydzd{d|d}d~dddddddddddddddddddddddd ddddddddd	dm9dm'dmdmCdmHdmdmdmdmdm+dmMdm.dm5dmdmOdmRdmTdm3dmdmodmdmdm^dmdmdm\dm`dm|dmcdndmdmdmdndmdmdndmdmdmdndmdndmdn+dnndnNdnkdndn_dndnSdnTdn2dn%dnDdndndndndo-dndndndndndndndndndndndndobdoFdoGdo$dodndo/do6doKdotdo*do	do)dodododoxdordo|dozdoe@
eAeBeC
eDeEeFeGeHeIeJeKeLeMeNeOePeQeReSeTeUeV eW!eX"eY#eZ$e[%e\&e]'e^(e_)e`*ea+eb,ec-ed.ee/ef0eg1eh2ei3ej4ek5el6em7en8eo9ep:eq;er<es=et?eu@evAewBexCeyDezEe{Fe|Ge}He~IeJeKeLeMeNeOePeQeReSeTeUeVeWeXeYeZe[e\e]e^e_e`eaebecedeeefegeheiekeoeoeoeoeoeoeoeoeoeoepep#epep9ep5epOep^e[e[e[e[e[e[eu/eed4e[e[e0e[eGeeeeÏeďeŏeƏeǏeȏeɏeʏeːe̐e͐eΐ&eϐeА
eѐeҐ!eӐ5eԐ6eՐ-e֐/eאDeؐQeِReڐPeېheܐXeݐbeސ[efete}e␂e㐈e䐃e吋e_Pe_We_Ve_Xe\;eTe\Pe\Ye[qe\ce\fee_*e_)e_-ete_<e;e\neYeYeYeYeYeYf@lfAmfBnfCofDpfEqfFrfGsfHtfIufJvfKwfLxfMyfNzfO{fP|fQ}fR~fSfTfUfVfWfXfYfZf[f\f]f^f_f`fafbfcfdfefffgfhfifjfkflfmfnfofpfqfrfsftfufvfwfxfyfzf{f|f}f~ffffffffffffffffffffffffffffffffffYfYfYfYfYfYfYfYfYfYfZfZfYfZfYfYfYfZfZ	fZ2fZ4fZfZ#fZfZ@fZgfZJfZUfZ<fZbfZuffZfZfZwfZzfZfZfZfZfZfZfZfZfZfZfZfZfZf[	f[f[f[2f[7f[@f\f\f[Zf[ef[sf[Qf[Sf[bfufwfxfzff}f暀f皁f蚅f隈fꚊf뚐f욒f횓ffffffffffff~f~f~f~f~f~g@gAgBgCgDgEgFgGgHgIgJgKgLgMgNgOgPgQgRgSgTgUgVgWgXgYgZg[g\g]g^g_g`gagbgcgdgegfggghgigjgkglgmgngogpgq grgsgtgugvgwgxgygz	g{
g|g}g~
ggggggggggggggggggg g!g"g#g$g%g&g'g(g)g*g+g,g-g.g~g~g~g~g~g~g~g~g~g~g~g~g~g~g~g~g~g~g~g~g~g
g~g~g~g~gggggggggggggggg!g"g#g$g%g&g'g*g+g,g-g/g0g1g2g3g5g^zgug]gu>gߐgsgsgsgsgsgsgsgsgsgsgsgsgsgsgsg|gt
gsgsgsgsgsgtgt*gt[gt&gt%gt(gt0gt.gt,h@/hA0hB1hC2hD3hE4hF5hG6hH7hI8hJ9hK:hL;hM<hN=hO?hP@hQAhRBhSChTDhUEhVFhWGhXHhYIhZJh[Kh\Lh]Mh^Nh_Oh`PhaQhbRhcShdTheUhfVhgWhhXhiYhjZhk[hl\hm]hn^ho_hp`hqahrbhschtdhuehvfhwghxhhyihzjh{lh|mh}nh~ohphqhrhshthuhvhwhxhyhzh{h|h}h~hhhhhhhhhhhhhhhhhh hththtAht\htWhtUhtYhtwhtmht~hthththththththththththththhhhgLhgShg^hgHhgihghghgjhgshghghguhghghghghgwhg|hghh	hghh
hghghhhghghghghghh hghghghhhghghh2hh3hh`hhahhNhhbhhDhhdhhhhhhUhhfhhAhhghh@hh>hhJhhIhh)hhhhhhthhwhhhhkhhhinhhhihi hhi@'iA3iB=iCCiDHiEKiFUiGZiH`iIniJtiKuiLwiMxiNyiOziP{iQ|iR}iS~iTiUiViWiXiYiZi[i\i]i^i_i`iaibicidieifigihiiijikiliminioipiqirisitiuiviwixiyizi{i|i}i~iiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiii$ihiiiiiiWihiiiiqii9ii`iiBii]iiiikiiiiiixii4iiiiiiiiiiiifiiciiyiiiiiiiiiiiiiiiiiiiiiiiiiiiiij/iiijijijeiiijDij>ijijPij[ij5ijijyij=ij(ijXij|ijijijijijis7isRikikikikikikikikikikikikimiqirisiuivixiwiyizi|i~iiiiij@jAjBjCjDjEjFjGjHjIjJjKjLjMjNjOjPjQjRjSjTjUjVjWjXjYjZj[j\j]j^j_j`jajbjc jd#je$jf%jg&jh'ji(jj)jk+jl,jm-jn/jo0jp7jq8jr9js:jt>juAjvCjwJjxNjyOjzQj{Rj|Sj}Vj~WjXjYjZj\j]j^j`jcjejfjkjmjnjojpjqjsjxjyjzj{j|j}j~jjjjjjjjjjjjjjjjbjbjbjbjb"jb!jb%jb$jb,jjtjtjtjujujuje4jejejejf
jfjgrjfjfjf jpjfjfjf4jf1jf6jf5jȀjf_jfTjfAjfOjfVjfajfWjfwjfjfjfjfjfjfjfjfjfjڍ2jۍ3j܍6jݍ;jލ=jߍ@jEjFjHjIjGjMjUjYjjjjjjjjjrnjrjr]jrfjrojr~jrjrjrjrjrjrjcjc2jck@kAkBkCkDkEkFkGkHkIkJkKkLkMkNkOkPkQkRkSkTkUkVkWkXkYkZk[k\k]k^k_k`kakbkckdkekfkgkhkikjkkklkmknkokpkqkrksktkukvkwkxkykzk{k|k}k~kkkkkkkkkkkkkkkkkk
kkkkkkkkkkkkkkk kd?kdkkkkkkkkkkkklklklkl
klklklklkl!kl)kl$kl*kl2ke5keUkekkrMkrRkrVkr0kbkRkkkkkg
kĀkŀkƀkǀkȀkɀkʀkˀk̀k̀k΀kπkЀkрkҀkӀkgkՀkրk׀k؀kـkځ
kہk܀k݀kgk߁kZk6kk,kk2kHkLkSktkYkZkqk`kik|k}kmkgkXMkZkkkknkkkkg&kkl@!lA"lB#lC$lD%lE&lF'lG(lH)lI+lJ,lK.lL/lM1lN3lO4lP5lQ6lR7lS:lT;lU<lV=lW?lX@lYAlZBl[Cl\Dl]El^Fl_Gl`HlaIlbJlcKldLleMlfNlgOlhPliQljTlkUllWlmXlnZlo\lp]lq_lrclsdltfluglvhlwjlxklyllzml{nl|ol}pl~qlrlulwlxlylzl{l}l~lllllllllllllllllllllllllllk$lk7lk9lkClkFlkYlllllllkl_@lkllelQlelelelelelelelelelplplplplplplplplplplplqlqlqlq/lq1lqslq\lqhlqElqrlqJlqxlqzlqlqlqlqlqlqlqlqlqlrlr(lpllqlqflqlb>lb=lbClbHlbIly;ly@lyFlyIly[ly\lySlyZlyblyWly`lyolyglyzlylylylylyl_l_m@mAmBmCmDmEmFmGmHmImJmKmLmMmNmOmPmQmRmSmTmUmVmWmXmYmZm[m\m]m^m_m`mambmcmdmemfmgmhmimjmkmlmmmnmompmqmrmsmtmumvmwmxmymzm{m|m}m~mmmmmmmmmmmmmmmmmmm mmmmmmmmm	m
mmm
mm`<m`]m`Zm`gm`Am`Ym`cm`mama
ma]mamamamambmmmlmlmmmwmwmx mx	mxmxmxmemx-mxmxmx9mx:mx;mxmx<mx%mx,mx#mx)mxNmxmmxVmxWmx&mxPmxGmxLmxjmxmxmxmxmxmxmxmxmxmxmxmxmxmxmxmymxmymy$mymy4m蟛mmmmvmwmw
mvmwmwmwmw"mwmw-mw&mw5mw8mwPmwQmwGmwCmwZmwhn@nAnBnCnDnEnFnGnHnInJnKnLnMnNnOnPnQ nR!nS"nT#nU$nV%nW&nX'nY(nZ)n[*n\+n],n^-n_.n`/na0nb1nc2nd3ne4nf5ng6nh7ni8nj9nk:nl;nm<nn=no>np?nq@nrAnsBntCnuDnvEnwFnxGnyHnzIn{Jn|Kn}Ln~MnNnOnPnQnRnSnTnUnVnWnXnYnZn[n\n]n^n_n`nanbncndnenfngnhninjnknlnmnnnwbnwenwnwnw}nwnwnwnwnwnwnwnwnu:nu@nuNnuKnuHnu[nurnuynunXnan_nHnhntnqnynn~nvnvnÈ2nĔnŔnƔnǔnȔnɔnʔn˔n̔n͔nΔnϔnДnєnҔnӔnԔnՔn֔nהnؔnٔnڔn۔nܔnݔnޔnߔnnᔺn┼n㔽n䔿nnnnnnnnnnnnnnnnnnnnnnnnnno@ooApoBqoCroDsoEtoFoGoHoIoJoKoLoMoNoOoPoQoRoSoToUoVoWoXoYoZo[o\o]o^o_o`oaobocodoeofogohoiojokolomonooopoqorosotouovowoxoyozo{o|o}o~oooooooooooooooooooooooooo oooooooooooooooooooooooo	o
o
ooooooooooooo"o*o+oÕ)oĕ,oŕ1oƕ2oǕ4oȕ6oɕ7oʕ8o˕<o̕>o͕?oΕBoϕ5oЕDoѕEoҕFoӕIoԕLoՕNo֕OoוRoؕSoٕToڕVoەWoܕXoݕYoޕ[oߕ^o_o]oaobodoeofogohoiojokoloooqoroso:owowooyoyoyoyozo]Gozozozozp@pA	pB
pCpDpEpFpGpHpIpJpKpLpMpNpOpPpQpRpSpTpUpV pW!pX"pY#pZ$p[%p\&p]'p^(p_)p`*pa+pb,pc-pd/pe0pf1pg2ph3pi4pj5pk6pl7pm8pn9po:pp;pq<pr=ps>pt?pu@pvApwBpxCpyDpzEp{Fp|Gp}Hp~IpJpKpLpMpNpOpPpQpRpSpVpWpXpYpZp[p\p]p^p_p`papbpdpfpspxpyp{p~ppppz9pz7pzQpppzppvpvpvpvpvptptpu,p p"p(p)p*p+p,p2p1p6p8p7p9p:p>pApBpDpFpGpÞHpĞIpŞKpƞLpǞNpȞQpɞUpʞWp˞Zp̞[p͞\pΞ^pϞcpОfpўgpҞhpӞipԞjp՞kp֞lpמqp؞mpٞspupupupupupupupupupupupupupupupupupupupupupupupvpupupupvpv pvpvpvpv
pv%pvpvpvq@qAqBqCqDqEqFqGqHqIqJqKqLqMqNqOqPqQqRqSqTqUqVqWqXqYqZq[q\q]q^q_q`qaqbqcqdqeqfqgqhqiqjqkqlqmqnqoqpqqqrqsqtquqvqwqxqyqzq{q|q}q~qqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqqvqv<qv"qv qv@qv-qv0qv?qv5qvCqv>qv3qvMqv^qvTqv\qvVqvkqvoqqzqzxqzyqzqzqzqzqzqzqzqzqzqzqdqÈiqĈrqň}qƈqǈqȈqɈqʈqˈq̈q͈qΈqψqЈqшq҉qӈqԈqՈqֈq׉!q؉qىqډqۉ
q܉4q݉+qމ6q߉Aqfq{quqqvqvqwqqqqq q"q%q&q'q)q(q1qq5qCqFqMqRqiqqqqxqqr@rArBrCrDrErF rGrHrIrJrKrLrMrNrO	rP
rQrRrS
rTrUrVrWrXrYrZr[r\r]r^r_r`rarbrcrdrerf rg!rh"ri#rj$rk%rl&rm'rn(ro)rp*rq+rr,rs-rt.ru/rv0rw1rx2ry3rz4r{5r|6r}7r~8r9r:r;r<r=r>r?r@rArBrCrDrErFrGrHrIrJrKrLrMrNrOrPrQrRrSrTrUrVrWrXrYrrrrrrrrrrrrrrMrTrlrnrrzr|r{rrrrrrrrrrrrrrÆrĆrņrƆrǆrȆrɆrʆrˆr̆r͆rΆrφrІrчr҆rӆrԆrՆrֆrׇr؇rنrڇrۇ
r܇
r݇	rއ#r߇;rr%r.rr>rHr4r1r)r7r?r뇂r"r}r~r{r`rprLrnrrSrcr|rdrYrerrrrs@ZsA[sB\sC]sD^sE_sF`sGasHbsIcsJdsKesLfsMgsNhsOisPjsQksRrsSsTsUsVsWsXsYsZs[s\s]s^s_s`sasbscsdsesfsgshsisjskslsmsnsospsqsrssstsusvswsxsyszs{s|s}s~ssssssssssssssssssssssssssss ssssssssssssssssssssssssssssss
ss!s9s<s6sBsDsEsszszs{s{s{s{s{
s{+s{s{Gs{8s{*s{s{.s{1s{ s{%s{$s{3s{>s{s{Xs{Zs{Es{us{Ls{]s{`s{ns{{s{bs{rs{qs{s{s{s{s{s{s{s{s{s{s{s{s{s{s{s{s{s{s{s{s{s|s{s{s|s|s|t@tA	tB
tCtDtE
tFtGtHtItJtKtLtMtNtOtPtQtRtStTtU tV!tW"tX$tY%tZ&t['t\(t])t^*t_+t`,ta-tb.tc0td1te3tf4tg5th6ti7tj8tk9tl:tm=tn>to?tp@tqFtrJtsKttLtuNtvPtwRtxStyUtzVt{Wt|Xt}Yt~Zt[t\t]t^t_t`tatbtctdtetftgthtitjtktltmtntotptqtrtstttutvtwtxtytzt{t|t|*t|&t|8t|At|@ttttttDt!t"t#t-t/t(t+t8t;t3t4t>tDtItKtOtZt_tht~tttÈtĈtŉ^ttttttt||teIt|t|t|t|t|t|t|t|t|t|t|t|t|t|t|t|tނntftttttttttt|t}wt}t}t~Gt~tttstttttgtmtGtItJtPtNtOtdu@|uA}uB~uCuDuEuFuGuHuIuJuKuLuMuNuOuPuQuRuSuTuUuVuWuXuYuZu[u\u]u^u_u`uaubucudueufuguhuiujukulumunuoupuqurusutuuuvuwuxuyuzu{u|u}u~uuuuuuuuuuuuuuuuuuuuuuuuuuuuuuuuuubuaupuiuou}u~urutuyuuuuuuuuuuuuuuuUu~uuuuYuiuuuuÍučuōuƍuǍuȍuɍuʍuˍu̍u͍u΍uύuЍuэuҍuӍuԎ	uՍu֎u׎u؎uَ,uڎ.uێ#u܎/uݎ:uގ@uߎ9u5u=u1uIuAuBuQuRuJupuvu|uoutuuuuuuuxuuuuuueuuuuv@vAvBvCvDvEvFvGvHvIvJvKvLvMvNvOvPvQvRvSvTvUvVvWvXvYvZv[v\v]v^v_v`vavbvcvd vevfvgvhvivjvkvlvm	vn
vovpvq
vrvsvtvuvvvwvxvyvzv{v|v}v~vvvvvv v!v"v#v$v%v&v'v(v)v*v+v,v-v.v/v0v1v2v3v4v5v6v7v8v9v:v;vvvv>v&vSvvvvvvvvv*v-v0v>vvvvvvvvvvvv
vvvvvÖvwvŖvƒvǒvȒvɓ>vʓjv˓v̓v͔>vΔkvϜvМvќvҜvӜvԜvz#v֜vלv؜vٜvڜvۜvܜvݜvޜvߜvvᜠv✡v㜢v䜣v圥v朦v眧v蜨v霩vꜫv뜭v윮v휰vvvvvvvvvvvvvvvvvw@<wA=wB>wC?wD@wEAwFBwGCwHDwIEwJFwKGwLHwMIwNJwOKwPLwQMwRNwSOwTPwUQwVRwWSwXTwYUwZVw[Ww\Xw]Yw^Zw_[w`\wa]wb^wc_wd`weawfbwgcwhdwiewjfwkgwlhwmiwnjwokwplwqmwrnwsowtpwuqwvrwwswxtwyuwzvw{ww|xw}yw~zw{w}w~wwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwwww|wwwwwwwwwwwwwXwwwwwwÚwĚwŚwƚwǚwțEwɛCwʛGw˛Iw̛Hw͛MwΛQwϘwЙ
wљ.wҙUwәTwԚw՚w֚wךwؚwٚwښwۚwܛwݛwޛwߛw#wួw➾w~;w䞂w垇w枈w瞋w螒wwꞝw랟wwwwwwwwwwww"w,w/w9w7w=w>wDx@xAxBxCxDxExFxGxHxIxJxKxLxMxNxOxPxQxRxSxTxUxVxWxXxYxZx[x\x] x^x_x`xaxbxcxdxexf	xg
xhxixj
xkxlxmxnxoxpxqxrxsxtxuxvxwxxxyxzx{x|x} x~!x"x#x$x%x&x'x(x)x*x+x,x-x.x/x0x1x2x3x4x5x6x7x8x9x:x;x<x=x>x?x@xAxBx4x5x6x7x8x9x:x;x<x=x>x?x@xAxBxCxDxExFxGxHxIxJxKxLxMxNxOxPxQxRxSxTxUxVxWxXxYxZx[x\x]x^x_x`xaxbxcxdxexfxgxhxixjxkxlxmxnxoxpxqxrxsxtxuxvxwxxxyxzx{x|x}x~xxxxxxxxxxxxxxxxxxxy@CyADyBEyCFyDGyEHyFIyGJyHKyILyJMyKNyLOyMPyNQyORyPSyQTyRUySVyTWyUXyVYyWZyX[yY\yZ]y[^y\_y]`y^ay_by`cyadybeycfydgyehyfiygjyhkyilyjmyknyloympynqyorypsyqtyruysvytwyuxyvyywzyx{yy|yz}y{~y|y}y~yyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyyz@zAzBzCzDzEzFzGzHzIzJzKzLzMzNzOzPzQzRzSzTzUzVzWzXzYzZz[z\z]z^z_z`zazbzczdzezfzgzhzizjzkzlzmznzozpzqzrzsztzuzvzwzxzyzzz{z|z}z~zzzzzzzzzzzzzzzzzzzzzzzzzzzzzzz zzzzzzzzzzzzzzzzzzz zzzzzzzzz	z
zzz
zzzzzzzzzzzzzzzzzzz z!z"z#z$z%z&z'z(z)z*z+z,z-z.z/z0z1z2z3z4z5z6z7z8z9z:z;z<z=z>z?z@zAzBzCzDzEzFzGzHzIzJzKzLzM{@{A{B{C{D{E{F	{G
{H{I{J
{K{L{M{N{O{P{Q{R{S{T{U{V{W{X{Y{Z{[{\${]'{^.{_0{`4{a;{b<{c@{dM{eP{fR{gS{hT{iV{jY{k]{l_{m`{na{ob{pe{qn{ro{sr{tt{uu{vv{ww{xx{yy{zz{{{{||{}}{~{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{N{O{P{Q{R{S{T{U{V{W{X{Y{Z{[{\{]{^{_{`{a{b{c{d{e{f{g{h{i{j{k{l{m{n{o{p{q{r{s{t{u{v{w{x{y{z{{{|{}{~{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{{|@|A|B|C|D|E|F|G|H|I|J|K|L|M|N|O|P|Q|R|S|T|U|V|W|X|Y|Z|[|\|]|^|_|`|a|b|c|d|e|f|g|h|i|j|k|l|m|n|o|p|q|r|s|t|u|v|w|x|y |z|{|||}|~||||	|
|||||||||||||||!|#|$|%|&|'|(|)|*|+|-|.|0|1||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||||| |||||||||	}@2}A3}B4}C5}D6}E8}F:}G<}H?}I@}JA}KB}LC}ME}NF}OG}PH}QI}RJ}SK}TL}UM}VN}WO}XR}YS}ZT}[U}\V}]W}^X}_Y}`Z}a[}b\}c]}d^}e_}f`}ga}hb}ic}jd}ke}lf}mg}nh}oi}pj}qk}rl}sm}tn}uo}vp}wq}xr}ys}zt}{u}|v}}w}~x}y}z}{}|}}}~}}}}}}}}}}}}}}}}}}}}}}},}y}}}}
}}}
}}}}}}}}}}}}}}}}}}} }!}"}#}$}%}&}'}(})}*}+},}-}.}/}0}1}2}3}4}5}6}7}8}9}:};}<}=}>}?}@}A}B}C}D}E}F}G}H}I}J}K}L}M}N}O}P}Q}R}S}T}U}V}W}X}Y}Z}[}\}]}^}_}`}a}b}c}d}e}f}g~@~A
~B~C~D~E~F~G~H~I ~J!~K#~L$~M'~N(~O)~P~Q~R~S~T~U~V~W~X~Y~Z~[ ~\!~]"~^#~_$~`%~a&~b'~c(~d)~e*~f+~g,~h-~i.~j/~k0~l1~m2~n3~o4~p5~q6~r7~s8~t9~u:~v;~w<~x=~y>~z?~{@~|A~}B~~C~D~E~F~G~H~I~J~K~L~M~N~O~P~Q~R~S~T~U~V~W~X~Y~Z~[~\~]~^~_~`~a~b~c~d~h~i~j~k~l~m~n~o~p~q~r~s~t~u~v~w~x~y~z~{~|~}~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                